diff --git a/htdocs/api/index.php b/htdocs/api/index.php index f90ea146b5b..d31b7cb5983 100644 --- a/htdocs/api/index.php +++ b/htdocs/api/index.php @@ -235,19 +235,19 @@ if (!empty($reg[1]) && $reg[1] == 'explorer' && ($reg[2] == '/swagger.json' || $ $regbis = array(); if (!empty($reg[1]) && ($reg[1] != 'explorer' || ($reg[2] != '/swagger.json' && $reg[2] != '/resources.json' && preg_match('/^\/(swagger|resources)\.json\/(.+)$/', $reg[2], $regbis) && $regbis[2] != 'root'))) { - $module = $reg[1]; - if ($module == 'explorer') // If we call page to explore details of a service + $moduleobject = $reg[1]; + if ($moduleobject == 'explorer') // If we call page to explore details of a service { - $module = $regbis[2]; + $moduleobject = $regbis[2]; } - $module = strtolower($module); - $moduledirforclass = getModuleDirForApiClass($module); + $moduleobject = strtolower($moduleobject); + $moduledirforclass = getModuleDirForApiClass($moduleobject); // Load a dedicated API file - dol_syslog("Load a dedicated API file module=".$module." moduledirforclass=".$moduledirforclass); + dol_syslog("Load a dedicated API file moduleobject=".$moduleobject." moduledirforclass=".$moduledirforclass); - $tmpmodule = $module; + $tmpmodule = $moduleobject; if ($tmpmodule != 'api') $tmpmodule = preg_replace('/api$/i', '', $tmpmodule); $classfile = str_replace('_', '', $tmpmodule); @@ -264,7 +264,7 @@ if (!empty($reg[1]) && ($reg[1] != 'explorer' || ($reg[2] != '/swagger.json' && $dir_part_file = dol_buildpath('/'.$moduledirforclass.'/class/api_'.$classfile.'.class.php', 0, 2); - $classname = ucwords($module); + $classname = ucwords($moduleobject); dol_syslog('Search api file /'.$moduledirforclass.'/class/api_'.$classfile.'.class.php => dir_part_file='.$dir_part_file.' classname='.$classname); diff --git a/htdocs/bom/class/api_boms.class.php b/htdocs/bom/class/api_boms.class.php index f61df86fe69..a6295d12589 100644 --- a/htdocs/bom/class/api_boms.class.php +++ b/htdocs/bom/class/api_boms.class.php @@ -24,11 +24,11 @@ require_once DOL_DOCUMENT_ROOT.'/bom/class/bom.class.php'; /** * \file bom/class/api_boms.class.php * \ingroup bom - * \brief File for API management of bom. + * \brief File for API management of BOM. */ /** - * API class for bom + * API class for BOM * * @access protected * @class DolibarrApiAccess {@requires user,external} @@ -120,7 +120,7 @@ class Boms extends DolibarrApi //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) $sql .= ' AND t.entity IN ('.getEntity('bom').')'; + if ($tmpobject->ismultientitymanaged) $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) $sql .= " AND t.fk_soc = sc.fk_soc"; if ($restrictonsocid && $socid) $sql .= " AND t.fk_soc = ".$socid; if ($restrictonsocid && $search_sale > 0) $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale diff --git a/htdocs/compta/paymentbybanktransfer/index.php b/htdocs/compta/paymentbybanktransfer/index.php index b4231949e40..787cf4a77db 100644 --- a/htdocs/compta/paymentbybanktransfer/index.php +++ b/htdocs/compta/paymentbybanktransfer/index.php @@ -78,13 +78,13 @@ print ''.$langs->trans("Statistics").''.$langs->trans("NbOfInvoiceToPayByBankTransfer").''; print ''; print ''; -print $bprev->nbOfInvoiceToPay('credit-transfer'); +print $bprev->nbOfInvoiceToPay('bank-transfer'); print ''; print ''; print ''.$langs->trans("AmountToWithdraw").''; print ''; -print price($bprev->SommeAPrelever('credit-transfer'), '', '', 1, -1, -1, 'auto'); +print price($bprev->SommeAPrelever('bank-transfer'), '', '', 1, -1, -1, 'auto'); print '
'; diff --git a/htdocs/compta/prelevement/class/bonprelevement.class.php b/htdocs/compta/prelevement/class/bonprelevement.class.php index 06f3448cd39..fc9abdc7798 100644 --- a/htdocs/compta/prelevement/class/bonprelevement.class.php +++ b/htdocs/compta/prelevement/class/bonprelevement.class.php @@ -647,7 +647,7 @@ class BonPrelevement extends CommonObject /** * Returns amount of withdrawal * - * @param string $mode 'direct-debit' or 'credit-transfer' + * @param string $mode 'direct-debit' or 'bank-transfer' * @return double trans("NbOfInvoiceToPayByBankTransfer"); } -print ''.$title.''; +print ''.$title.''; print ''; print $nb; print ''; diff --git a/htdocs/contrat/card.php b/htdocs/contrat/card.php index 7778a6041f5..5615ddd5f00 100644 --- a/htdocs/contrat/card.php +++ b/htdocs/contrat/card.php @@ -1125,7 +1125,7 @@ if ($action == 'create') } else { print ''; print $form->select_company('', 'socid', '', 'SelectThirdParty', 1, 0, null, 0, 'minwidth300'); - print ' '.$langs->trans("AddThirdParty").''; + print ' '; print ''; } print ''."\n"; @@ -1167,7 +1167,7 @@ if ($action == 'create') print ''.$langs->trans("Project").''; $formproject->select_projects(($soc->id > 0 ? $soc->id : -1), $projectid, "projectid", 0, 0, 1, 1); - print '   id).'">'.$langs->trans("AddProject").''; + print '   id).'">'; print ""; } diff --git a/htdocs/core/lib/functions2.lib.php b/htdocs/core/lib/functions2.lib.php index 7673776ad93..e5a201a4c5a 100644 --- a/htdocs/core/lib/functions2.lib.php +++ b/htdocs/core/lib/functions2.lib.php @@ -2204,60 +2204,52 @@ function cartesianArray(array $input) /** * Get name of directory where the api_...class.php file is stored * - * @param string $module Module name - * @return string Directory name + * @param string $moduleobject Module object name + * @return string Directory name */ -function getModuleDirForApiClass($module) +function getModuleDirForApiClass($moduleobject) { - $moduledirforclass = $module; + $moduledirforclass = $moduleobject; if ($moduledirforclass != 'api') $moduledirforclass = preg_replace('/api$/i', '', $moduledirforclass); - if ($module == 'contracts') { + if ($moduleobject == 'contracts') { $moduledirforclass = 'contrat'; - } elseif (in_array($module, array('admin', 'login', 'setup', 'access', 'status', 'tools', 'documents'))) { + } elseif (in_array($moduleobject, array('admin', 'login', 'setup', 'access', 'status', 'tools', 'documents'))) { $moduledirforclass = 'api'; - } elseif ($module == 'contact' || $module == 'contacts' || $module == 'customer' || $module == 'thirdparty' || $module == 'thirdparties') { + } elseif ($moduleobject == 'contact' || $moduleobject == 'contacts' || $moduleobject == 'customer' || $moduleobject == 'thirdparty' || $moduleobject == 'thirdparties') { $moduledirforclass = 'societe'; - } elseif ($module == 'propale' || $module == 'proposals') { + } elseif ($moduleobject == 'propale' || $moduleobject == 'proposals') { $moduledirforclass = 'comm/propal'; - } elseif ($module == 'agenda' || $module == 'agendaevents') { + } elseif ($moduleobject == 'agenda' || $moduleobject == 'agendaevents') { $moduledirforclass = 'comm/action'; - } elseif ($module == 'adherent' || $module == 'members' || $module == 'memberstypes' || $module == 'subscriptions') { + } elseif ($moduleobject == 'adherent' || $moduleobject == 'members' || $moduleobject == 'memberstypes' || $moduleobject == 'subscriptions') { $moduledirforclass = 'adherents'; - } elseif ($module == 'don' || $module == 'donations') { + } elseif ($moduleobject == 'don' || $moduleobject == 'donations') { $moduledirforclass = 'don'; - } elseif ($module == 'banque' || $module == 'bankaccounts') { + } elseif ($moduleobject == 'banque' || $moduleobject == 'bankaccounts') { $moduledirforclass = 'compta/bank'; - } elseif ($module == 'category' || $module == 'categorie') { + } elseif ($moduleobject == 'category' || $moduleobject == 'categorie') { $moduledirforclass = 'categories'; - } elseif ($module == 'order' || $module == 'orders') { + } elseif ($moduleobject == 'order' || $moduleobject == 'orders') { $moduledirforclass = 'commande'; - } elseif ($module == 'shipments') { + } elseif ($moduleobject == 'shipments') { $moduledirforclass = 'expedition'; - } elseif ($module == 'facture' || $module == 'invoice' || $module == 'invoices') { + } elseif ($moduleobject == 'facture' || $moduleobject == 'invoice' || $moduleobject == 'invoices') { $moduledirforclass = 'compta/facture'; - } elseif ($module == 'products') { - $moduledirforclass = 'product'; - } elseif ($module == 'project' || $module == 'projects' || $module == 'tasks') { + } elseif ($moduleobject == 'project' || $moduleobject == 'projects' || $moduleobject == 'task' || $moduleobject == 'tasks') { $moduledirforclass = 'projet'; - } elseif ($module == 'task') { - $moduledirforclass = 'projet'; - } elseif ($module == 'stock' || $module == 'stockmovements' || $module == 'warehouses') { + } elseif ($moduleobject == 'stock' || $moduleobject == 'stockmovements' || $moduleobject == 'warehouses') { $moduledirforclass = 'product/stock'; - } elseif ($module == 'supplierproposals' || $module == 'supplierproposal' || $module == 'supplier_proposal') { + } elseif ($moduleobject == 'supplierproposals' || $moduleobject == 'supplierproposal' || $moduleobject == 'supplier_proposal') { $moduledirforclass = 'supplier_proposal'; - } elseif ($module == 'fournisseur' || $module == 'supplierinvoices' || $module == 'supplierorders') { + } elseif ($moduleobject == 'fournisseur' || $moduleobject == 'supplierinvoices' || $moduleobject == 'supplierorders') { $moduledirforclass = 'fourn'; - } elseif ($module == 'expensereports') { - $moduledirforclass = 'expensereport'; - } elseif ($module == 'users') { - $moduledirforclass = 'user'; - } elseif ($module == 'ficheinter' || $module == 'interventions') { + } elseif ($moduleobject == 'ficheinter' || $moduleobject == 'interventions') { $moduledirforclass = 'fichinter'; - } elseif ($module == 'tickets') { - $moduledirforclass = 'ticket'; - } elseif ($module == 'boms') { - $moduledirforclass = 'bom'; + } elseif ($moduleobject == 'mos') { + $moduledirforclass = 'mrp'; + } elseif (in_array($moduleobject, array('products', 'expensereports', 'users', 'tickets', 'boms'))) { + $moduledirforclass = preg_replace('/s$/', '', $moduleobject); } return $moduledirforclass; diff --git a/htdocs/core/lib/invoice.lib.php b/htdocs/core/lib/invoice.lib.php index 82b9e8cee9b..31b201fce50 100644 --- a/htdocs/core/lib/invoice.lib.php +++ b/htdocs/core/lib/invoice.lib.php @@ -163,10 +163,12 @@ function invoice_admin_prepare_head() $head[$h][2] = 'attributeslinesrec'; $h++; - $head[$h][0] = DOL_URL_ROOT.'/admin/facture_situation.php'; - $head[$h][1] = $langs->trans("InvoiceSituation"); - $head[$h][2] = 'situation'; - $h++; + if ($conf->global->INVOICE_USE_SITUATION) { // Warning, implementation is seriously bugged and a new one not compatible is expected to become stable + $head[$h][0] = DOL_URL_ROOT.'/admin/facture_situation.php'; + $head[$h][1] = $langs->trans("InvoiceSituation"); + $head[$h][2] = 'situation'; + $h++; + } complete_head_from_modules($conf, $langs, null, $head, $h, 'invoice_admin', 'remove'); diff --git a/htdocs/core/lib/project.lib.php b/htdocs/core/lib/project.lib.php index eb1157353d8..b579a4f439c 100644 --- a/htdocs/core/lib/project.lib.php +++ b/htdocs/core/lib/project.lib.php @@ -2171,7 +2171,7 @@ function print_projecttasks_array($db, $form, $socid, $projectsListId, $mytasks { if (!in_array('prospectionstatus', $hiddenfields)) print_liste_field_titre("OpportunityStatus", "", "", "", "", '', $sortfield, $sortorder, 'right '); print_liste_field_titre("OpportunityAmount", "", "", "", "", 'align="right"', $sortfield, $sortorder); - print_liste_field_titre('OpportunityWeightedAmount', '', '', '', '', 'align="right"', $sortfield, $sortorder); + //print_liste_field_titre('OpportunityWeightedAmount', '', '', '', '', 'align="right"', $sortfield, $sortorder); } if (empty($conf->global->PROJECT_HIDE_TASKS)) { @@ -2205,10 +2205,11 @@ function print_projecttasks_array($db, $form, $socid, $projectsListId, $mytasks print ''; - print ''; + print ''; print $projectstatic->getNomUrl(1, '', 0, '', '-', 0, -1, 'nowraponall'); if (!in_array('projectlabel', $hiddenfields)) print '
'.dol_trunc($objp->title, 24).''; print ''; + print ''; if ($objp->fk_soc > 0) { @@ -2222,7 +2223,7 @@ function print_projecttasks_array($db, $form, $socid, $projectsListId, $mytasks if (!empty($conf->global->PROJECT_USE_OPPORTUNITIES)) { if (!in_array('prospectionstatus', $hiddenfields)) { - print ''; + print ''; // Because color of prospection status has no meaning yet, it is used if hidden constant is set if (empty($conf->global->USE_COLOR_FOR_PROSPECTION_STATUS)) { $oppStatusCode = dol_getIdFromCode($db, $objp->opp_status, 'c_lead_status', 'rowid', 'code'); @@ -2249,13 +2250,13 @@ function print_projecttasks_array($db, $form, $socid, $projectsListId, $mytasks } print ''; - if ($objp->opp_percent && $objp->opp_amount) { - $opp_weighted_amount = $objp->opp_percent * $objp->opp_amount / 100; - $alttext = price($opp_weighted_amount, 0, '', 1, -1, -1, $conf->currency); - $ponderated_opp_amount += price2num($opp_weighted_amount); - } - if ($objp->opp_amount) print ''.price($objp->opp_amount, 0, '', 1, -1, -1, $conf->currency).''; - print ''; + if ($objp->opp_percent && $objp->opp_amount) { + $opp_weighted_amount = $objp->opp_percent * $objp->opp_amount / 100; + $alttext = $langs->trans("OpportunityWeightedAmount").' '.price($opp_weighted_amount, 0, '', 1, -1, 0, $conf->currency); + $ponderated_opp_amount += price2num($opp_weighted_amount); + } + if ($objp->opp_amount) print ''.price($objp->opp_amount, 0, '', 1, -1, 0, $conf->currency).''; + print ''; } if (empty($conf->global->PROJECT_HIDE_TASKS)) @@ -2295,14 +2296,16 @@ function print_projecttasks_array($db, $form, $socid, $projectsListId, $mytasks } print ''; - print ''.$langs->trans("Total").""; + print ''.$langs->trans("Total").""; if (!empty($conf->global->PROJECT_USE_OPPORTUNITIES)) { if (!in_array('prospectionstatus', $hiddenfields)) { print ''; } - print ''.price($total_opp_amount, 0, '', 1, -1, -1, $conf->currency).''; - print ''.$form->textwithpicto(price($ponderated_opp_amount, 0, '', 1, -1, -1, $conf->currency), $langs->trans("OpportunityPonderatedAmountDesc"), 1).''; + print ''; + //$form->textwithpicto(price($ponderated_opp_amount, 0, '', 1, -1, -1, $conf->currency), $langs->trans("OpportunityPonderatedAmountDesc"), 1); + print $form->textwithpicto(price($total_opp_amount, 0, '', 1, -1, 0, $conf->currency), $langs->trans("OpportunityPonderatedAmountDesc").' : '.price($ponderated_opp_amount, 0, '', 1, -1, 0, $conf->currency)); + print ''; } if (empty($conf->global->PROJECT_HIDE_TASKS)) { diff --git a/htdocs/don/card.php b/htdocs/don/card.php index 90498568d6e..059b95b7acb 100644 --- a/htdocs/don/card.php +++ b/htdocs/don/card.php @@ -65,6 +65,7 @@ $extrafields->fetch_name_optionals_label($object->table_element); // Initialize technical object to manage hooks of page. Note that conf->hooks_modules contains array of hook context $hookmanager->initHooks(array('doncard', 'globalcard')); + /* * Actions */ @@ -399,11 +400,11 @@ if ($action == 'create') // Country print ''; - print $form->select_country(GETPOST('country_id') != '' ?GETPOST('country_id') : $object->country_id); + print img_picto('', 'globe-americas', 'class="paddingrightonly"').$form->select_country(GETPOST('country_id') != '' ?GETPOST('country_id') : $object->country_id); if ($user->admin) print info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"), 1); print ''; - print "".''.$langs->trans("EMail").''; + print "".''.$langs->trans("EMail").''.img_picto('', 'object_email', 'class="paddingrightonly"').''; } // Payment mode diff --git a/htdocs/langs/am_ET/accountancy.lang b/htdocs/langs/am_ET/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/am_ET/accountancy.lang +++ b/htdocs/langs/am_ET/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/am_ET/admin.lang b/htdocs/langs/am_ET/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/am_ET/admin.lang +++ b/htdocs/langs/am_ET/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/am_ET/agenda.lang b/htdocs/langs/am_ET/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/am_ET/agenda.lang +++ b/htdocs/langs/am_ET/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/am_ET/banks.lang b/htdocs/langs/am_ET/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/am_ET/banks.lang +++ b/htdocs/langs/am_ET/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/am_ET/bills.lang b/htdocs/langs/am_ET/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/am_ET/bills.lang +++ b/htdocs/langs/am_ET/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/am_ET/cashdesk.lang b/htdocs/langs/am_ET/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/am_ET/cashdesk.lang +++ b/htdocs/langs/am_ET/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/am_ET/categories.lang b/htdocs/langs/am_ET/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/am_ET/categories.lang +++ b/htdocs/langs/am_ET/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/am_ET/companies.lang b/htdocs/langs/am_ET/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/am_ET/companies.lang +++ b/htdocs/langs/am_ET/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/am_ET/errors.lang b/htdocs/langs/am_ET/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/am_ET/errors.lang +++ b/htdocs/langs/am_ET/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/am_ET/hrm.lang b/htdocs/langs/am_ET/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/am_ET/hrm.lang +++ b/htdocs/langs/am_ET/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/am_ET/install.lang b/htdocs/langs/am_ET/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/am_ET/install.lang +++ b/htdocs/langs/am_ET/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/am_ET/main.lang b/htdocs/langs/am_ET/main.lang index 824a5e495b8..adbc443198f 100644 --- a/htdocs/langs/am_ET/main.lang +++ b/htdocs/langs/am_ET/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/am_ET/modulebuilder.lang b/htdocs/langs/am_ET/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/am_ET/modulebuilder.lang +++ b/htdocs/langs/am_ET/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/am_ET/mrp.lang b/htdocs/langs/am_ET/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/am_ET/mrp.lang +++ b/htdocs/langs/am_ET/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/am_ET/other.lang b/htdocs/langs/am_ET/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/am_ET/other.lang +++ b/htdocs/langs/am_ET/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/am_ET/products.lang b/htdocs/langs/am_ET/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/am_ET/projects.lang b/htdocs/langs/am_ET/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/am_ET/projects.lang +++ b/htdocs/langs/am_ET/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/am_ET/receptions.lang b/htdocs/langs/am_ET/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/am_ET/receptions.lang +++ b/htdocs/langs/am_ET/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/am_ET/stocks.lang b/htdocs/langs/am_ET/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/am_ET/stocks.lang +++ b/htdocs/langs/am_ET/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/am_ET/ticket.lang b/htdocs/langs/am_ET/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/am_ET/ticket.lang +++ b/htdocs/langs/am_ET/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/am_ET/website.lang b/htdocs/langs/am_ET/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/am_ET/website.lang +++ b/htdocs/langs/am_ET/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/am_ET/withdrawals.lang b/htdocs/langs/am_ET/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/am_ET/withdrawals.lang +++ b/htdocs/langs/am_ET/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/ar_EG/admin.lang b/htdocs/langs/ar_EG/admin.lang index 1ff58c6e73e..2976a2efba5 100644 --- a/htdocs/langs/ar_EG/admin.lang +++ b/htdocs/langs/ar_EG/admin.lang @@ -2,18 +2,42 @@ Foundation=مؤسسة Version=إصدار Publisher=الناشر +VersionLastInstall=أول إصدار ثبت +VersionLastUpgrade=أخر تحديث VersionExperimental=تجريبي VersionDevelopment=تطوير VersionRecommanded=موصى به +FileCheck=تدقيق سلامة مجموعة الملفات +FileCheckDesc=تتيح لك هذه الأداة التحقق من سلامة الملفات وإعدادات التطبيق الخاص بك ، مقارنة كل ملف بالملف الرسمي. يمكن أيضًا التحقق من قيمة بعض ثوابت الإعدادات. يمكنك استخدام هذه الأداة لتحديد ما إذا تم تعديل أي ملفات (على سبيل المثال بواسطة مخترق). +FileIntegrityIsStrictlyConformedWithReference=يجب ان تتوافق سلامة الملفات تمامًا مع المرجع. +FileIntegrityIsOkButFilesWereAdded=اجتاز فحص تكامل الملفات ، ولكن تمت إضافة بعض الملفات الجديدة. +FileIntegritySomeFilesWereRemovedOrModified=فشل التحقق من تكامل الملفات. تم تعديل بعض الملفات أو إزالتها أو إضافتها. +MakeIntegrityAnalysisFrom=عمل تحليل سلامة ملفات التطبيق من +LocalSignature=توقيع محلي مضمن (أقل موثوقية) +RemoteSignature=التوقيع عن بعد (أكثر موثوقية) +FilesUpdated=الملفات المحدثة +FilesModified=الملفات المعدلة +FilesAdded=الملفات المضافة +FileCheckDolibarr=تحقق من سلامة ملفات التطبيق +AvailableOnlyOnPackagedVersions=لا يتوفر الملف المحلي لفحص السلامة إلا عندما يتم تثبيت التطبيق من حزمة رسمية +XmlNotFound=لم يتم العثور على ملف تكامل Xml للتطبيق SessionId=هوية المتصل SessionSaveHandler=معالج لتوفير دورات -PurgeSessions=انهاء الجلسات +SessionSavePath=مكان حفظ الجلسة +PurgeSessions=مسح الجلسات +ConfirmPurgeSessions=هل تريد حقًا تطهير جميع الجلسات؟ سيؤدي هذا إلى فصل كل مستخدم (باستثناء نفسك). +NoSessionListWithThisHandler=لا يسمح معالج حفظ الجلسة الذي تم تكوينه في PHP بإدراج جميع الجلسات الجارية. LockNewSessions=اغلاق الدخول للمتصلين الجدد +ConfirmLockNewSessions=هل أنت متأكد من أنك تريد تقييد أي اتصال Dolibarr جديد لنفسك؟ سيتمكن المستخدم %s فقط من الاتصال بعد ذلك. UnlockNewSessions=الغاء حظر الاتصال YourSession=جلستك +Sessions=جلسات المستخدمين WebUserGroup=مستخدم\\مجموعة خادم الويب +NoSessionFound=يبدو أن تكوين PHP الخاص بك لا يسمح بإدراج الجلسات النشطة. قد يتم حماية الدليل المستخدم لحفظ الجلسات ( %s ) (على سبيل المثال عن طريق أذونات نظام التشغيل أو عن طريق توجيه PHP open_basedir). DBStoringCharset=ضبط الحروف في قاعدة البيانات لحفظ المعلومات DBSortingCharset=ضبط الحروف في قاعدة البيانات لحفظ المعلومات +ClientCharset=مجموع حروف العميل +ClientSortingCharset=ترتيب العميل WarningModuleNotActive=إن الوحدة %s لابد أن تكون مفعلة WarningOnlyPermissionOfActivatedModules=أن الصلاحيات المرتبطة بالوحدات المفعلة فقط تظهر هنا. تستطيع تفعيل وحدات أخرى من: الرئيسية ثم التنصيب ثم صفحة الوحدات DolibarrSetup=تثبيت أو ترقية البرنامج @@ -21,8 +45,10 @@ InternalUsers=مستخدمون داخليون ExternalUsers=مستخدمون خارجيون FormToTestFileUploadForm=نموذج تجربة رفع الملفات (تبعا للتنصيب) FeatureAvailableOnlyOnStable=الميزة متوفرة فقط في الإصدارات الثابتة الرسمية +Module40Name=موردين Module700Name=تبرعات Module1780Name=الأوسمة/التصنيفات Permission81=قراءة أوامر الشراء MailToSendInvoice=فواتير العميل +MailToSendSupplierOrder=أوامر الشراء MailToSendSupplierInvoice=فواتير المورد diff --git a/htdocs/langs/ar_EG/companies.lang b/htdocs/langs/ar_EG/companies.lang index a1075a56697..bc649f3af7c 100644 --- a/htdocs/langs/ar_EG/companies.lang +++ b/htdocs/langs/ar_EG/companies.lang @@ -7,6 +7,5 @@ ThirdPartySuppliers=موردين OverAllOrders=الطلبات OverAllSupplierProposals=طلبات عروض اسعار Customer=عميل -Contact=Contact InActivity=افتح ActivityCeased=مقفول diff --git a/htdocs/langs/ar_EG/main.lang b/htdocs/langs/ar_EG/main.lang index d97cfd97e09..65726d1afb0 100644 --- a/htdocs/langs/ar_EG/main.lang +++ b/htdocs/langs/ar_EG/main.lang @@ -19,5 +19,18 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +Closed2=مقفول +NumberByMonth=الرقم بالشهر +RefSupplier=المرجع. مورد +CommercialProposalsShort=عروض تجارية +Refused=مرفوض +Drafts=المسودات +Validated=معتمد +Opened=افتح SearchIntoCustomerInvoices=فواتير العميل SearchIntoSupplierInvoices=فواتير المورد +SearchIntoSupplierOrders=أوامر الشراء +SearchIntoCustomerProposals=عروض تجارية +SearchIntoSupplierProposals=عرود الموردين +ContactDefault_commande=طلب +ContactDefault_propal=عرض diff --git a/htdocs/langs/ar_EG/projects.lang b/htdocs/langs/ar_EG/projects.lang index 9ec23f6aa90..a6ec9131a0e 100644 --- a/htdocs/langs/ar_EG/projects.lang +++ b/htdocs/langs/ar_EG/projects.lang @@ -1,3 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. OppStatusPROPO=عرض diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index cf95ced5354..d016d076e00 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index c6c0bcc954e..5f6fecc9381 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=القيمة التالية (الفواتير) NextValueForCreditNotes=القيمة التالية (ملاحظات دائن) NextValueForDeposit=Next value (down payment) NextValueForReplacements=القيمة التالية (استبدال) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=ملاحظة : لم يتم وضح حد في إعدادات الـ PHP الخاص بك MaxSizeForUploadedFiles=الحجم الأقصى لتحميل الملفات (0 لمنع أي تحميل) UseCaptchaCode=إستخدم الرسوم كرمز (كابتشا) في صفحة الدخول @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=جديد +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore ، في السوق الرسمي لتخطيط موارد المؤسسات وحدات Dolibarr / خارجي إدارة علاقات العملاء -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=العنوان @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=الحرف الأول الباركود الشامل أو إعادة للمنتجات أو الخدمات CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=قيمة الحرف الأول للسجلات فارغة الصورة٪ المقبلة @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcodes إدارة -Module56Name=الخدمات الهاتفية -Module56Desc=تكامل الخدمات الهاتفية +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=انقر للاتصال @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=لتفعيل وحدات ، على الإعداد منطقة الصفحة الرئيسية> الإعداد -> الوحدات). SessionTimeOut=للمرة الخمسين 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. TriggersAvailable=محفزات متاحة TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=يطلق في هذا الملف من قبل المعوقين لاحقة بين NORUN باسمهم. @@ -1262,6 +1264,7 @@ FieldEdition=طبعة من ميدان%s FillThisOnlyIfRequired=مثال: +2 (ملء إلا إذا تعوض توقيت المشاكل من ذوي الخبرة) GetBarCode=الحصول على الباركود NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=عودة كلمة سر ولدت الداخلية وفقا لخوارزمية Dolibarr : 8 أحرف مشتركة تتضمن الأرقام والحروف في حرف صغير. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=أطراف ثالثة MailToMember=أعضاء MailToUser=المستخدمين MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=تظهر بشكل افتراضي على عرض القائمة YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=مثال على رسالة يمكنك استخدامها ليعلن هذا الإصدار الرئيسي (لا تتردد في استخدامها على مواقع الويب الخاص بك) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ar_SA/agenda.lang b/htdocs/langs/ar_SA/agenda.lang index c516c5a73f2..8e763dc1843 100644 --- a/htdocs/langs/ar_SA/agenda.lang +++ b/htdocs/langs/ar_SA/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=تم حذف العرض OrderDeleted=تم حذف الطلب InvoiceDeleted=تم حذف الفاتورة +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=المنتج %s تم انشاؤه PRODUCT_MODIFYInDolibarr=المنتج %sتم تعديلة PRODUCT_DELETEInDolibarr=المنتج%s تم حذفة HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=تقرير المصروفات %sتم إنشاؤة EXPENSE_REPORT_VALIDATEInDolibarr=تقرير المصروفات %s تم التحقق من صحتة @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=نماذج المستندات للحدث DateActionStart=تاريخ البدء @@ -151,3 +154,6 @@ EveryMonth=كل شهر DayOfMonth=يوم من الشهر DayOfWeek=يوم من الأسبوع DateStartPlusOne=تاريخ بدء + 1 ساعة +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang index e2e3cf5954a..f5d5353c759 100644 --- a/htdocs/langs/ar_SA/banks.lang +++ b/htdocs/langs/ar_SA/banks.lang @@ -35,8 +35,10 @@ SwiftValid=بيك / سويفت صالحة SwiftVNotalid=بيك / سويفت غير صالح IbanValid=بان صالحة IbanNotValid=بان غير صالح -StandingOrders=أوامر الخصم المباشر +StandingOrders=Direct debit orders StandingOrder=أمر الخصم المباشر +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=كشف الحساب AccountStatementShort=بيان AccountStatements=كشوفات الحساب diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index 8967fedb3ab..1da35991534 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=عرض الخصم (الدفع قبل الأجل) EscompteOfferedShort=تخفيض السعر SendBillRef=تقديم فاتورة%s SendReminderBillRef=تقديم فاتورة%s (تذكير) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=أي مشروع الفواتير NoOtherDraftBills=أي مشروع الفواتير NoDraftInvoices=لا يوجد مسودة فواتير @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=تم حذف الفاتورة BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ar_SA/cashdesk.lang b/htdocs/langs/ar_SA/cashdesk.lang index d8014d393ab..e8bed097987 100644 --- a/htdocs/langs/ar_SA/cashdesk.lang +++ b/htdocs/langs/ar_SA/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ar_SA/categories.lang b/htdocs/langs/ar_SA/categories.lang index 8ae627751b3..88750f89628 100644 --- a/htdocs/langs/ar_SA/categories.lang +++ b/htdocs/langs/ar_SA/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=علامات / فئات الحسابات  ProjectsCategoriesShort=علامات / فئات المشاريع  UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=لا تحتوي هذه الفئة على أي منتج. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=لا تحتوي هذه الفئة على أي عميل. -ThisCategoryHasNoMember=لا تحتوي هذه الفئة على أي عضو. -ThisCategoryHasNoContact=لا تحتوي هذه الفئة على أي جهة اتصال. -ThisCategoryHasNoAccount=لا تحتوي هذه الفئة على أي حساب. -ThisCategoryHasNoProject=لا تحتوي هذه الفئة على أي مشروع. +ThisCategoryHasNoItems=This category does not contain any items. CategId=معرف العلامة / الفئة CatSupList=List of vendor tags/categories CatCusList=قائمة علامات / فئات العملاء / احتمال @@ -92,4 +86,5 @@ ByDefaultInList=افتراضيا في القائمة ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang index ad09ad636f5..b033fe22e3b 100644 --- a/htdocs/langs/ar_SA/companies.lang +++ b/htdocs/langs/ar_SA/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=مجال التنقيب IdThirdParty=هوية الطرف الثالث IdCompany=رقم تعريف الشركة IdContact=رقم تعريف الاتصال -Contacts=اتصالات ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=شركة @@ -298,7 +297,8 @@ AddContact=إنشاء اتصال AddContactAddress=إنشاء الاتصال / عنوان EditContact=تحرير الاتصال / عنوان EditContactAddress=تحرير الاتصال / عنوان -Contact=جهة اتصال +Contact=Contact/Address +Contacts=اتصالات ContactId=Contact id ContactsAddresses=اتصالات / عناوين FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=شركة "٪ ل" حذفها من قاعدة البيانات. ListOfContacts=قائمة الاتصالات ListOfContactsAddresses=قائمة الاتصالات ListOfThirdParties=List of Third Parties -ShowContact=وتظهر الاتصال +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=جميع (بدون فلتر) ContactType=نوع الاتصال ContactForOrders=أوامر اتصال @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=فتح ActivityCeased=مغلق diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang index c1cfd43814f..90e3fc089a7 100644 --- a/htdocs/langs/ar_SA/errors.lang +++ b/htdocs/langs/ar_SA/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ar_SA/hrm.lang b/htdocs/langs/ar_SA/hrm.lang index 2cc7feaff86..8ba763a357b 100644 --- a/htdocs/langs/ar_SA/hrm.lang +++ b/htdocs/langs/ar_SA/hrm.lang @@ -1,16 +1,17 @@ # Dolibarr language file - en_US - hrm # Admin -HRM_EMAIL_EXTERNAL_SERVICE=البريد الإلكتروني لإيقاف شؤون الموظفين الخدمة الخارجية +HRM_EMAIL_EXTERNAL_SERVICE=البريد الإلكتروني لمنع خدمة إدارة الموارد البشرية الخارجية Establishments=مؤسسات Establishment=مؤسسة NewEstablishment=مؤسسة جديدة DeleteEstablishment=حذف المؤسسة -ConfirmDeleteEstablishment=هل انت متأكد أنك تريد حذف هذة المؤسسة ؟ +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=فتح المؤسسة CloseEtablishment=إغلاق المؤسسة # Dictionary -DictionaryDepartment=شؤون الموظفين - الأقسام -DictionaryFunction=شؤون الموظفين - الوظائف +DictionaryPublicHolidays=HRM - Public holidays +DictionaryDepartment=إدارة الموارد البشرية - قائمة القسم +DictionaryFunction=HRM - Job positions # Module Employees=الموظفين Employee=الموظف diff --git a/htdocs/langs/ar_SA/install.lang b/htdocs/langs/ar_SA/install.lang index 60fe91b918f..601db720bee 100644 --- a/htdocs/langs/ar_SA/install.lang +++ b/htdocs/langs/ar_SA/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index b0df25d3f55..43d429b67e5 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=لا يوجد ترجمة Translation=الترجمة -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=لا يوجد سجلات NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=مشاهدة بطاقة Search=البحث عن SearchOf=البحث عن SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=سارية المفعول Approve=الموافقة Disapprove=رفض @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=خيار List=قائمة FullList=القائمة الكاملة +FullConversation=Full conversation Statistics=إحصائيات OtherStatistics=الإحصاءات الأخرى Status=الحالة @@ -663,6 +666,7 @@ Owner=مالك FollowingConstantsWillBeSubstituted=الثوابت التالية ستكون بديلا المقابلة القيمة. Refresh=تجديد BackToList=العودة إلى قائمة +BackToTree=Back to tree GoBack=العودة CanBeModifiedIfOk=يمكن تعديلها إذا كان صحيحا CanBeModifiedIfKo=يمكن تعديلها إذا لم يكن صحيحا @@ -839,6 +843,7 @@ Sincerely=بإخلاص ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=حذف الخط ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=أعضاء SearchIntoUsers=المستخدمين SearchIntoProductsOrServices=المنتجات أو الخدمات SearchIntoProjects=مشاريع +SearchIntoMO=Manufacturing Orders SearchIntoTasks=المهام SearchIntoCustomerInvoices=فواتير العملاء SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=مقترحات العملاء +SearchIntoCustomerProposals=مقترحات تجارية SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=التدخلات SearchIntoContracts=عقود @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ar_SA/modulebuilder.lang +++ b/htdocs/langs/ar_SA/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ar_SA/mrp.lang b/htdocs/langs/ar_SA/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/ar_SA/mrp.lang +++ b/htdocs/langs/ar_SA/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 50522e619b0..7f5d46312d3 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -85,8 +85,8 @@ MaxSize=الحجم الأقصى AttachANewFile=إرفاق ملف جديد / وثيقة LinkedObject=ربط وجوه NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index 84088913fff..be4388b23b3 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=أخر %s تعديلات على المنتجات / الخدمات +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=المنتج @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=ملحوظة(غيرمرئية على الفواتير وا ServiceLimitedDuration=إذا كان المنتج هو خدمة لفترة محدودة : MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=عدد من السعر +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=عدد المنتجات التي تنتج هذا المنتج الإفتراضي diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index 6d0a3866a69..1bbd44c5803 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=لا صاحب هذا المشروع من القطاع الخاص AffectedTo=إلى المتضررين -CantRemoveProject=هذا المشروع لا يمكن إزالتها كما هي المرجعية بعض أشياء أخرى (الفاتورة ، أو غيرها من الأوامر). انظر referers تبويبة. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=تحقق من مشروع غابة ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=وثيقة المشروع @@ -265,3 +265,4 @@ NewInvoice=فاتورة جديدة OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ar_SA/receptions.lang b/htdocs/langs/ar_SA/receptions.lang index 9f0a29d0c33..fc1b05cf47c 100644 --- a/htdocs/langs/ar_SA/receptions.lang +++ b/htdocs/langs/ar_SA/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang index 9f341982eb5..401c3dd7029 100644 --- a/htdocs/langs/ar_SA/stocks.lang +++ b/htdocs/langs/ar_SA/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=الواب EnhancedValueOfWarehouses=قيمة المستودعات UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=ارسال كمية QtyDispatchedShort=أرسل الكمية @@ -123,6 +130,7 @@ WarehouseForStockDecrease=سيتم استخدام مستودع٪ الصورة WarehouseForStockIncrease=سيتم استخدام مستودع٪ s للزيادة المخزون ForThisWarehouse=لهذا المستودع ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=التجديد NbOfProductBeforePeriod=كمية من الناتج٪ الصورة في الأوراق المالية قبل الفترة المختارة (<٪ ق) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ar_SA/ticket.lang b/htdocs/langs/ar_SA/ticket.lang index e63625f6112..47dd928bbc5 100644 --- a/htdocs/langs/ar_SA/ticket.lang +++ b/htdocs/langs/ar_SA/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=مجموعة TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/ar_SA/website.lang b/htdocs/langs/ar_SA/website.lang index 09a41969c1a..852543aeac0 100644 --- a/htdocs/langs/ar_SA/website.lang +++ b/htdocs/langs/ar_SA/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=تغذية RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ar_SA/withdrawals.lang b/htdocs/langs/ar_SA/withdrawals.lang index c0bd2dd5d6f..81467e6767f 100644 --- a/htdocs/langs/ar_SA/withdrawals.lang +++ b/htdocs/langs/ar_SA/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=لعملية +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=لم يكن ممكنا حتى الآن. سحب يجب أن يتم تعيين الحالة إلى "الفضل" قبل أن يعلن رفض على خطوط محددة. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=سحب المبلغ -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=ترفض LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=طريقة البث Send=إرسال Lines=خطوط StandingOrderReject=رفض إصدار +WithdrawsRefused=Direct debit refused WithdrawalRefused=سحب Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=هل أنت متأكد أنك تريد الدخول في رفض الانسحاب للمجتمع RefusedData=تاريخ الرفض RefusedReason=أسباب الرفض @@ -58,6 +76,8 @@ StatusMotif8=سبب آخر CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=مكتب فقط CreateBanque=البنك الوحيد OrderWaiting=الانتظار لتلقي العلاج @@ -67,6 +87,7 @@ NumeroNationalEmetter=رقم المرسل وطنية WithBankUsingRIB=عن الحسابات المصرفية باستخدام RIB WithBankUsingBANBIC=عن الحسابات المصرفية باستخدام IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=الائتمان على WithdrawalFileNotCapable=غير قادر على توليد ملف استلام الانسحاب لبلدكم٪ الصورة (لا يتم اعتماد البلد) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=ملف الانسحاب SetToStatusSent=تعيين إلى حالة "المرسلة ملف" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=إحصاءات عن طريق وضع خطوط -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/az_AZ/accountancy.lang b/htdocs/langs/az_AZ/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/az_AZ/accountancy.lang +++ b/htdocs/langs/az_AZ/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/az_AZ/admin.lang b/htdocs/langs/az_AZ/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/az_AZ/admin.lang +++ b/htdocs/langs/az_AZ/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/az_AZ/agenda.lang b/htdocs/langs/az_AZ/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/az_AZ/agenda.lang +++ b/htdocs/langs/az_AZ/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/az_AZ/banks.lang b/htdocs/langs/az_AZ/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/az_AZ/banks.lang +++ b/htdocs/langs/az_AZ/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/az_AZ/bills.lang b/htdocs/langs/az_AZ/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/az_AZ/bills.lang +++ b/htdocs/langs/az_AZ/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/az_AZ/cashdesk.lang b/htdocs/langs/az_AZ/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/az_AZ/cashdesk.lang +++ b/htdocs/langs/az_AZ/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/az_AZ/categories.lang b/htdocs/langs/az_AZ/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/az_AZ/categories.lang +++ b/htdocs/langs/az_AZ/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/az_AZ/companies.lang b/htdocs/langs/az_AZ/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/az_AZ/companies.lang +++ b/htdocs/langs/az_AZ/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/az_AZ/errors.lang b/htdocs/langs/az_AZ/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/az_AZ/errors.lang +++ b/htdocs/langs/az_AZ/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/az_AZ/hrm.lang b/htdocs/langs/az_AZ/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/az_AZ/hrm.lang +++ b/htdocs/langs/az_AZ/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/az_AZ/install.lang b/htdocs/langs/az_AZ/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/az_AZ/install.lang +++ b/htdocs/langs/az_AZ/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/az_AZ/main.lang b/htdocs/langs/az_AZ/main.lang index 824a5e495b8..adbc443198f 100644 --- a/htdocs/langs/az_AZ/main.lang +++ b/htdocs/langs/az_AZ/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/az_AZ/modulebuilder.lang b/htdocs/langs/az_AZ/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/az_AZ/modulebuilder.lang +++ b/htdocs/langs/az_AZ/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/az_AZ/mrp.lang b/htdocs/langs/az_AZ/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/az_AZ/mrp.lang +++ b/htdocs/langs/az_AZ/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/az_AZ/other.lang b/htdocs/langs/az_AZ/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/az_AZ/other.lang +++ b/htdocs/langs/az_AZ/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/az_AZ/products.lang b/htdocs/langs/az_AZ/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/az_AZ/projects.lang b/htdocs/langs/az_AZ/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/az_AZ/projects.lang +++ b/htdocs/langs/az_AZ/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/az_AZ/receptions.lang b/htdocs/langs/az_AZ/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/az_AZ/receptions.lang +++ b/htdocs/langs/az_AZ/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/az_AZ/stocks.lang b/htdocs/langs/az_AZ/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/az_AZ/stocks.lang +++ b/htdocs/langs/az_AZ/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/az_AZ/ticket.lang b/htdocs/langs/az_AZ/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/az_AZ/ticket.lang +++ b/htdocs/langs/az_AZ/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/az_AZ/website.lang b/htdocs/langs/az_AZ/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/az_AZ/website.lang +++ b/htdocs/langs/az_AZ/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/az_AZ/withdrawals.lang b/htdocs/langs/az_AZ/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/az_AZ/withdrawals.lang +++ b/htdocs/langs/az_AZ/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index 9169cab96fb..0b88b5b2253 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Следващите стъпки трябва AccountancyAreaDescActionFreq=Следните действия се изпълняват обикновено всеки месец, седмица или ден при много големи компании... AccountancyAreaDescJournalSetup=СТЪПКА %s: Създайте или проверете съдържанието на списъка с журнали от меню %s -AccountancyAreaDescChartModel=СТЪПКА %s: Създайте модел на сметкоплана от меню %s -AccountancyAreaDescChart=СТЪПКА %s: Създайте или проверете съдържанието на вашият сметкоплан от меню %s +AccountancyAreaDescChartModel=СТЪПКА %s: Проверете дали съществува шаблон за сметкоплан или създайте такъв от меню %s +AccountancyAreaDescChart=СТЪПКА %s: Изберете и / или попълнете вашият сметкоплан от меню %s AccountancyAreaDescVat=СТЪПКА %s: Определете счетоводните сметки за всяка ставка на ДДС. За това използвайте менюто %s. AccountancyAreaDescDefault=СТЪПКА %s: Определете счетоводните сметки по подразбиране. За това използвайте менюто %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Свързани редове на фактури ExpenseReportLines=Редове на разходни отчети за свързване ExpenseReportLinesDone=Свързани редове на разходни отчети IntoAccount=Свързване на ред със счетоводна сметка -TotalForAccount=Total for accounting account +TotalForAccount=Общо за счетоводна сметка Ventilate=Свързване @@ -234,10 +234,10 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Неизвест ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Сметката на контрагента не е определена или контрагента е неизвестен. Блокираща грешка. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Неизвестна сметка на контрагент и сметка за изчакване не са определени. Блокираща грешка. PaymentsNotLinkedToProduct=Плащането не е свързано с нито един продукт / услуга -OpeningBalance=Opening balance +OpeningBalance=Начално салдо ShowOpeningBalance=Показване на баланс при откриване HideOpeningBalance=Скриване на баланс при откриване -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Показване на междинна сума по групи Pcgtype=Група от сметки PcgtypeDesc=Групата от сметки се използва като предварително зададен критерий за филтриране и групиране за някои счетоводни отчети. Например 'Приход' или 'Разход' се използват като групи за счетоводни сметки на продукти за съставяне на отчет за разходи / приходи. @@ -317,13 +317,13 @@ Modelcsv_quadratus=Експортиране за Quadratus QuadraCompta Modelcsv_ebp=Експортиране за EBP Modelcsv_cogilog=Експортиране за Cogilog Modelcsv_agiris=Експортиране за Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) +Modelcsv_LDCompta=Експортиране за LD Compta (v9) (тест) Modelcsv_LDCompta10=Експортиране за LD Compta (v10 и по-нова) Modelcsv_openconcerto=Експортиране за OpenConcerto (Тест) Modelcsv_configurable=Експортиране в конфигурируем CSV Modelcsv_FEC=Експортиране за FEC Modelcsv_Sage50_Swiss=Експортиране за Sage 50 Швейцария -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Експортиране за Winfic - eWinfic - WinSis Compta ChartofaccountsId=Идентификатор на сметкоплан ## Tools - Init accounting account on product / service diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index 24e874ed1e2..f90a30a90c6 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Следваща стойност (фактури) NextValueForCreditNotes=Следваща стойност (кредитни известия) NextValueForDeposit=Следваща стойност (авансови плащания) NextValueForReplacements=Следваща стойност (замествания) -MustBeLowerThanPHPLimit=Забележка: Вашата PHP конфигурация понастоящем ограничава максималния размер на файловете за качване до %s %s, независимо от стойността на този параметър. +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Забележка: Не е зададено ограничение във вашата PHP конфигурация MaxSizeForUploadedFiles=Максимален размер за качени файлове (0 за забрана на качването) UseCaptchaCode=Използване на графичен код (CAPTCHA) на страницата за вход @@ -207,19 +207,19 @@ ModulesMarketPlaces=Намиране на външно приложение / м ModulesDevelopYourModule=Разработване на собствено приложение / модул ModulesDevelopDesc=Може също така да разработите свой собствен модул или да намерите партньор, който да го разработи за вас. DOLISTOREdescriptionLong=Вместо да превключите към www.dolistore.com уебсайта, за да намерите външен модул, може да използвате този вграден инструмент, който ще извърши търсенето в страницата вместо вас (може да е бавно, нуждаете се от интернет достъп) ... -NewModule=Нов +NewModule=Нов модул FreeModule=Свободен CompatibleUpTo=Съвместим с версия %s NotCompatible=Този модул не изглежда съвместим с Dolibarr %s (Мин. %s - Макс. %s). CompatibleAfterUpdate=Този модул изисква актуализация на вашия Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Вижте в онлайн магазина -SeeSetupOfModule=Вижте настройка на модул %s +SeeSetupOfModule=Вижте настройката на модул %s Updated=Актуализиран Nouveauté=Новост AchatTelechargement=Купуване / Изтегляне GoModuleSetupArea=За да разположите / инсталирате нов модул, отидете в секцията за настройка на модул: %s. DoliStoreDesc=DoliStore, официалният пазар за Dolibarr ERP / CRM външни модули -DoliPartnersDesc=Списък на компаниите, които предоставят разработване по поръчка модули или функции.
Забележка: тъй като Dolibarr е приложение с отворен код, всеки , който има опит в програмирането на PHP, може да разработи модул. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Външни уебсайтове с повече модули (които не са част от ядрото) DevelopYourModuleDesc=Някои решения за разработване на ваш собствен модул... URL=URL адрес @@ -446,12 +446,13 @@ LinkToTestClickToDial=Въведете телефонен номер, за да RefreshPhoneLink=Обновяване на връзка LinkToTest=Генерирана е връзка за потребител %s (кликнете върху телефонния номер, за да тествате) KeepEmptyToUseDefault=Оставете празно, за да използвате стойността по подразбиране +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Връзка по подразбиране SetAsDefault=Посочете по подразбиране ValueOverwrittenByUserSetup=Внимание, тази стойност може да бъде презаписана от специфична за потребителя настройка (всеки потребител може да зададе свой собствен URL адрес) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Масова баркод инициализация за контрагенти +BarcodeInitForThirdparties=Масова баркод инициализация за контрагенти BarcodeInitForProductsOrServices=Масово въвеждане на баркод или зануляване за продукти или услуги CurrentlyNWithoutBarCode=В момента имате %s записа на %s %s без дефиниран баркод. InitEmptyBarCode=Първоначална стойност за следващите %s празни записа @@ -541,8 +542,8 @@ Module54Name=Договори / Абонаменти Module54Desc=Управление на договори (услуги или периодични абонаменти) Module55Name=Баркодове Module55Desc=Управление на баркодове -Module56Name=Телефония -Module56Desc=Интеграция на телефония +Module56Name=Плащане с кредитен превод +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Банкови плащания с директен дебит Module57Desc=Управление на платежни нареждания за директен дебит. Включва генериране на SEPA файл за европейските страни. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Налични модули / приложения ToActivateModule=За да активирате модули, отидете на в секцията за настройка (Начало -> Настройка -> Модули / Приложения). SessionTimeOut=Време за сесия SessionExplanation=Това число гарантира, че сесията никога няма да изтече преди това закъснение, ако чистачът на сесии се извършва от вътрешен PHP чистач на сесии (и нищо друго). Вътрешният PHP чистач на сесии не гарантира, че сесията ще изтече след това закъснение. Тя ще изтече, след това закъснение и когато се задейства чистачът на сесии на всеки %s / %s идентифицирания в системата, но само по време на достъп от други сесии (ако стойността е 0, това означава, че почистването на сесията се извършва само от външен процес).
Забележка: на някои сървъри с външен механизъм за почистване на сесиите (cron под debian, ubuntu ...), сесиите могат да бъдат унищожени след период, определен от външна настройка, независимо от въведената тук стойност. +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. TriggersAvailable=Налични тригери TriggersDesc=Тригерите са файлове, които ще променят поведението на Dolibarr след като бъдат копирани в директорията htdocs/core/triggers. Те реализират нови действия, активирани при събития в Dolibarr (създаване на нов контрагент, валидиране на фактура, ...). TriggerDisabledByName=Тригерите в този файл са деактивирани от суфикса -NORUN в името му. @@ -1262,6 +1264,7 @@ FieldEdition=Издание на поле %s FillThisOnlyIfRequired=Пример: +2 (попълнете само ако има проблеми с компенсирането на часовата зона) GetBarCode=Получаване на баркод NumberingModules=Модели за номериране +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Връщане на парола, генерирана според вътрешния Dolibarr алгоритъм: 8 символа, съдържащи споделени числа и символи с малки букви PasswordGenerationNone=Да не се предлага генерирана парола. Паролата трябва да бъде въведена ръчно. @@ -1844,6 +1847,7 @@ MailToThirdparty=Контрагенти MailToMember=Членове MailToUser=Потребители MailToProject=Страница "Проекти" +MailToTicket=Тикети ByDefaultInList=Показване по подразбиране в списъчен изглед YouUseLastStableVersion=Използвате последната стабилна версия TitleExampleForMajorRelease=Пример за съобщение, което може да използвате, за да обявите това главно издание (не се колебайте да го използвате на уебсайтовете си) @@ -1996,6 +2000,7 @@ EmailTemplate=Шаблон за имейл EMailsWillHaveMessageID=Имейлите ще имат етикет „Референции“, отговарящ на този синтаксис PDF_USE_ALSO_LANGUAGE_CODE=Ако искате да имате някои текстове във вашия PDF файл, дублирани на 2 различни езика в един и същ генериран PDF файл, трябва да посочите тук този втори език, така че генерираният PDF файл да съдържа 2 различни езика на една и съща страница, избраният при генериране на PDF и този (само няколко PDF шаблона поддържат това). Запазете празно за един език в PDF файла. FafaIconSocialNetworksDesc=Въведете тук кода за FontAwesome икона. Ако не знаете какво е FontAwesome, може да използвате стандартната стойност fa-address book. +FeatureNotAvailableWithReceptionModule=Функцията не е налична, когато е активиран модул Приемане 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" diff --git a/htdocs/langs/bg_BG/agenda.lang b/htdocs/langs/bg_BG/agenda.lang index 0d4da20be83..a0492288a4f 100644 --- a/htdocs/langs/bg_BG/agenda.lang +++ b/htdocs/langs/bg_BG/agenda.lang @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Членски внос %s за член %s MemberSubscriptionDeletedInDolibarr=Членски внос %s за член %s е изтрит ShipmentValidatedInDolibarr=Пратка %s е валидирана ShipmentClassifyClosedInDolibarr=Пратка %s е фактурирана -ShipmentUnClassifyCloseddInDolibarr=Пратка %s е повторно отворена +ShipmentUnClassifyCloseddInDolibarr=Пратка %s е активна отново ShipmentBackToDraftInDolibarr=Пратка %s е върната в статус чернова ShipmentDeletedInDolibarr=Пратка %s е изтрита OrderCreatedInDolibarr=Поръчка %s е създадена @@ -84,13 +84,14 @@ InterventionSentByEMail=Интервенция %s е изпратена по и ProposalDeleted=Предложението е изтрито OrderDeleted=Поръчката е изтрита InvoiceDeleted=Фактурата е изтрита +DraftInvoiceDeleted=Черновата фактура е изтрита PRODUCT_CREATEInDolibarr=Продукт %s е създаден PRODUCT_MODIFYInDolibarr=Продукт %s е променен PRODUCT_DELETEInDolibarr=Продукт %s е изтрит HOLIDAY_CREATEInDolibarr=Молба за отпуск %s е създадена HOLIDAY_MODIFYInDolibarr=Молба за отпуск %s е променена HOLIDAY_APPROVEInDolibarr=Молба за отпуск %s е одобрена -HOLIDAY_VALIDATEDInDolibarr=Молба за отпуск %s валидирана +HOLIDAY_VALIDATEInDolibarr=Молба за отпуск %s е валидирана HOLIDAY_DELETEInDolibarr=Молба за отпуск %s изтрита EXPENSE_REPORT_CREATEInDolibarr=Разходен отчет %s е създаден EXPENSE_REPORT_VALIDATEInDolibarr=Разходен отчет %s е валидиран @@ -106,13 +107,15 @@ TICKET_ASSIGNEDInDolibarr=Тикет %s е възложен TICKET_CLOSEInDolibarr=Тикет %s е приключен TICKET_DELETEInDolibarr=Тикет %s е изтрит BOM_VALIDATEInDolibarr=Спецификация е валидирана -BOM_UNVALIDATEInDolibarr=Спецификация е променена +BOM_UNVALIDATEInDolibarr=Спецификация е върната в статус чернова BOM_CLOSEInDolibarr=Спецификация е деактивирана -BOM_REOPENInDolibarr=Спецификация е повторно отворена +BOM_REOPENInDolibarr=Спецификацията е активна отново BOM_DELETEInDolibarr=Спецификация е изтрита MRP_MO_VALIDATEInDolibarr=Поръчка за производство е валидирана +MRP_MO_UNVALIDATEInDolibarr=Поръчка за производство е върната в статус чернова MRP_MO_PRODUCEDInDolibarr=Поръчка за производство е произведена MRP_MO_DELETEInDolibarr=Поръчка за производство е изтрита +MRP_MO_CANCELInDolibarr=Поръчка за производство е анулирана ##### End agenda events ##### AgendaModelModule=Шаблони за събитие DateActionStart=Начална дата @@ -151,3 +154,6 @@ EveryMonth=Всеки месец DayOfMonth=Ден от месеца DayOfWeek=Ден от седмицата DateStartPlusOne=Начална дата + 1 час +SetAllEventsToTodo=Задаване на статус 'За извършване' за всички събития +SetAllEventsToInProgress=Задаване на статус 'В процес' за всички събития +SetAllEventsToFinished=Задаване на статус 'Завършено' за всички събития diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang index 99802130f66..73dc1bce93b 100644 --- a/htdocs/langs/bg_BG/banks.lang +++ b/htdocs/langs/bg_BG/banks.lang @@ -35,8 +35,10 @@ SwiftValid=Валиден BIC / SWIFT код SwiftVNotalid=Невалиден BIC / SWIFT код IbanValid=Валиден IBAN номер IbanNotValid=Невалиден IBAN номер -StandingOrders=Поръчки за директен дебит +StandingOrders=Нареждания с директен дебит StandingOrder=Поръчка за директен дебит +PaymentByBankTransfers=Плащания с кредитен превод +PaymentByBankTransfer=Плащане с кредитен превод AccountStatement=Извлечение по сметка AccountStatementShort=Извлечение AccountStatements=Извлечения по сметки @@ -79,15 +81,15 @@ Conciliate=Съгласуване Conciliation=Съгласуване SaveStatementOnly=Запазете само извлечението ReconciliationLate=Късно съгласуване -IncludeClosedAccount=Включва затворени сметки -OnlyOpenedAccount=Само отворени сметки +IncludeClosedAccount=Включва закрити сметки +OnlyOpenedAccount=Само активни сметки AccountToCredit=Сметка за кредитиране AccountToDebit=Сметка за дебитиране DisableConciliation=Деактивиране на функцията за съгласуване за тази сметка ConciliationDisabled=Функцията за съгласуване е деактивирана LinkedToAConciliatedTransaction=Свързано със съгласувана транзакция -StatusAccountOpened=Отворена -StatusAccountClosed=Затворена +StatusAccountOpened=Активна +StatusAccountClosed=Закрита AccountIdShort=Номер LineRecord=Транзакция AddBankRecord=Добавяне на транзакция @@ -154,7 +156,7 @@ RejectCheck=Чекът е върнат ConfirmRejectCheck=Сигурни ли сте, искате да маркирате този чек като е отхвърлен? RejectCheckDate=Дата, на която чекът е върнат CheckRejected=Чекът е върнат -CheckRejectedAndInvoicesReopened=Чекът е върнат и фактурите са повторно отворени +CheckRejectedAndInvoicesReopened=Чекът е върнат и фактурите са повторно активни BankAccountModelModule=Шаблони на документи за банкови сметки DocumentModelSepaMandate=Шаблон за SEPA нареждания. Полезно само за европейските страни в ЕИО. DocumentModelBan=Шаблон за отпечатване на страница с информация за BAN. diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index 02cfd9be1b0..454a7e490b9 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -212,10 +212,10 @@ AmountOfBillsByMonthHT=Стойност на фактури за месец (б UseSituationInvoices=Разрешаване на ситуационна фактура UseSituationInvoicesCreditNote=Разрешаване на кредитно известие за ситуационна фактура Retainedwarranty=Запазена гаранция -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices +AllowedInvoiceForRetainedWarranty=Запазена гаранция, използваема за следните видове фактури RetainedwarrantyDefaultPercent=Процент по подразбиране за запазена гаранция -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation +RetainedwarrantyOnlyForSituation=„Запазена гаранция“ е достъпна само при ситуационни фактури +RetainedwarrantyOnlyForSituationFinal=При ситуационни фактури глобалното приспадане на "запазена гаранция" се прилага само за крайната ситуация ToPayOn=Да се плати на %s toPayOn=да се плати на %s RetainedWarranty=Запазена гаранция @@ -241,8 +241,6 @@ EscompteOffered=Предложена отстъпка (плащане преди EscompteOfferedShort=Отстъпка SendBillRef=Изпращане на фактура %s SendReminderBillRef=Изпращане на фактура %s (напомняне) -StandingOrders=Нареждания за директен дебит -StandingOrder=Нареждане за директен дебит NoDraftBills=Няма чернови фактури NoOtherDraftBills=Няма други чернови фактури NoDraftInvoices=Няма чернови фактури @@ -385,7 +383,7 @@ GeneratedFromTemplate=Генерирано от шаблонна фактура WarningInvoiceDateInFuture=Внимание, датата на фактурата е по-напред от текущата дата WarningInvoiceDateTooFarInFuture=Внимание, датата на фактурата е твърде далеч от текущата дата ViewAvailableGlobalDiscounts=Преглед на налични отстъпки -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Групови плащания по вид на отчета # PaymentConditions Statut=Статус PaymentConditionShortRECEP=При получаване @@ -478,7 +476,7 @@ MenuCheques=Чекове MenuChequesReceipts=Чекови разписки NewChequeDeposit=Нов депозит ChequesReceipts=Чекови разписки -ChequesArea=Секция за чекови депозити +ChequesArea=Секция с чекови депозити ChequeDeposits=Чекови депозити Cheques=Чекове DepositId=Идентификатор на депозит @@ -505,7 +503,7 @@ ToMakePayment=Плащане ToMakePaymentBack=Обратно плащане ListOfYourUnpaidInvoices=Списък с неплатени фактури NoteListOfYourUnpaidInvoices=Забележка: Този списък съдържа само фактури за контрагенти, с които сте свързан като търговски представител. -RevenueStamp=Tax stamp +RevenueStamp=Данъчна марка (бандерол) YouMustCreateInvoiceFromThird=Тази опция е налична само при създаване на фактура от раздел "Клиент" на контрагента YouMustCreateInvoiceFromSupplierThird=Тази опция е налична само при създаването на фактура от раздел "Доставчик" на контрагента YouMustCreateStandardInvoiceFirstDesc=Първо трябва да създадете стандартна фактура и да я конвертирате в „шаблон“, за да създадете нова шаблонна фактура @@ -572,3 +570,6 @@ AutoFillDateToShort=Задаване на крайна дата MaxNumberOfGenerationReached=Максималният брой генерирани документи е достигнат BILL_DELETEInDolibarr=Фактурата е изтрита BILL_SUPPLIER_DELETEInDolibarr=Фактурата за доставка е изтрита +UnitPriceXQtyLessDiscount=Единична цена x Количество - Отстъпка +CustomersInvoicesArea=Секция с фактури за продажба +SupplierInvoicesArea=Секция с фактури за доставка diff --git a/htdocs/langs/bg_BG/cashdesk.lang b/htdocs/langs/bg_BG/cashdesk.lang index 28d7540f858..9ba2bae9527 100644 --- a/htdocs/langs/bg_BG/cashdesk.lang +++ b/htdocs/langs/bg_BG/cashdesk.lang @@ -95,7 +95,7 @@ PrintMethod=Метод на отпечатване ReceiptPrinterMethodDescription=Мощен метод с много параметри. Пълно персонализиране с шаблони. Не може да отпечатва от облака. ByTerminal=По терминал TakeposNumpadUsePaymentIcon=Използване на икона за плащане в цифровия панел -CashDeskRefNumberingModules=Модул за номериране на каси +CashDeskRefNumberingModules=Numbering module for POS sales CashDeskGenericMaskCodes6 =
{TN} тагът се използва за добавяне на номера на терминала TakeposGroupSameProduct=Групиране на едни и същи продукти StartAParallelSale=Стартиране на нова паралелна продажба @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/bg_BG/categories.lang b/htdocs/langs/bg_BG/categories.lang index db22b40d882..ea044ebf97a 100644 --- a/htdocs/langs/bg_BG/categories.lang +++ b/htdocs/langs/bg_BG/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Категории сметки ProjectsCategoriesShort=Категории проекти UsersCategoriesShort=Категории потребители StockCategoriesShort=Тагове / Категории -ThisCategoryHasNoProduct=Тази категория не съдържа нито един продукт -ThisCategoryHasNoSupplier=Тази категория не съдържа нито един доставчик -ThisCategoryHasNoCustomer=Тази категория не съдържа нито един клиент -ThisCategoryHasNoMember=Тази категория не съдържа нито един член -ThisCategoryHasNoContact=Тази категория не съдържа нито един контакт -ThisCategoryHasNoAccount=Тази категория не съдържа нито една сметка -ThisCategoryHasNoProject=Тази категория не съдържа нито един проект +ThisCategoryHasNoItems=Тази категория не съдържа никакви елементи CategId=Идентификатор на таг / категория CatSupList=Списък на тагове / категории за доставчици CatCusList=Списък на тагове / категории за клиенти / потенциални клиенти @@ -90,6 +84,7 @@ AddProductServiceIntoCategory=Добавяне на следния продук ShowCategory=Показване на таг / категория ByDefaultInList=По подразбиране в списъка ChooseCategory=Избиране на категория -StocksCategoriesArea=Секция за категории на складове +StocksCategoriesArea=Секция с категории на складове ActionCommCategoriesArea=Секция с категории за събития +WebsitePagesCategoriesArea=Секция с категории за контейнери за страници UseOrOperatorForCategories=Използване или оператор за категории diff --git a/htdocs/langs/bg_BG/companies.lang b/htdocs/langs/bg_BG/companies.lang index 5118a9a8ede..f637b36087f 100644 --- a/htdocs/langs/bg_BG/companies.lang +++ b/htdocs/langs/bg_BG/companies.lang @@ -15,11 +15,10 @@ NewThirdParty=Нов контрагент (потенциален клиент, CreateDolibarrThirdPartySupplier=Създаване на контрагент (доставчик) CreateThirdPartyOnly=Създаване на контрагент CreateThirdPartyAndContact=Създаване на контрагент + свързан контакт -ProspectionArea=Секция за потенциални клиенти +ProspectionArea=Секция с потенциални клиенти IdThirdParty=Идентификатор на контрагент IdCompany=Идентификатор на фирма IdContact=Идентификатор на контакт -Contacts=Контакти / Адреси ThirdPartyContacts=Контакти на контрагента ThirdPartyContact=Контакт / Адрес на контрагента Company=Фирма @@ -66,7 +65,7 @@ CountryCode=Код на държава CountryId=Идентификатор на държава Phone=Телефон PhoneShort=Тел. -Skype=Скайп +Skype=Skype Call=Позвъни на Chat=Чат с PhonePro=Сл. телефон @@ -298,7 +297,8 @@ AddContact=Създаване на контакт AddContactAddress=Създаване на контакт / адрес EditContact=Променяне на контакт EditContactAddress=Променяне на контакт / адрес -Contact=Контакт +Contact=Контакт / Адрес +Contacts=Контакти / Адреси ContactId=Идентификатор на контакт ContactsAddresses=Контакти / Адреси FromContactName=Име: @@ -325,7 +325,8 @@ CompanyDeleted=Фирма "%s" е изтрита от базата данни. ListOfContacts=Списък на контакти / адреси ListOfContactsAddresses=Списък на контакти / адреси ListOfThirdParties=Списък на контрагенти -ShowContact=Показване на контакт +ShowCompany=Контрагент +ShowContact=Показване на Контакт / Адрес ContactsAllShort=Всички (без филтър) ContactType=Тип контакт ContactForOrders=Контакт за поръчка @@ -423,7 +424,7 @@ YouMustCreateContactFirst=За да може да добавяте извест ListSuppliersShort=Списък на доставчици ListProspectsShort=Списък на потенциални клиенти ListCustomersShort=Списък на клиенти -ThirdPartiesArea=Секция за контрагенти и контакти +ThirdPartiesArea=Секция с контрагенти и контакти LastModifiedThirdParties=Контрагенти: %s последно променени UniqueThirdParties=Общ брой контрагенти InActivity=Активен @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Собствено име на търговския SaleRepresentativeLastname=Фамилия на търговския представител ErrorThirdpartiesMerge=При изтриването на контрагента възникна грешка. Моля, проверете историята. Промените са отменени. NewCustomerSupplierCodeProposed=Кода на клиент или доставчик е вече използван, необходим е нов код. -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Запазете това поле празно, ако този адрес е общ адрес. #Imports PaymentTypeCustomer=Начин на плащане - клиент PaymentTermsCustomer=Условия за плащане - Клиент diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang index e89f987a70d..3f0f420a1d3 100644 --- a/htdocs/langs/bg_BG/compta.lang +++ b/htdocs/langs/bg_BG/compta.lang @@ -64,7 +64,7 @@ LT2CustomerIN=SGST продажби LT2SupplierIN=SGST покупки VATCollected=Получен ДДС StatusToPay=За плащане -SpecialExpensesArea=Секция за всички специални плащания +SpecialExpensesArea=Секция със специални плащания SocialContribution=Социален или фискален данък SocialContributions=Социални или фискални данъци SocialContributionsDeductibles=Приспадащи се социални или фискални данъци @@ -262,3 +262,5 @@ RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices don RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. ReportPurchaseTurnover=Purchase turnover invoiced ReportPurchaseTurnoverCollected=Purchase turnover collected +IncludeVarpaysInResults = Include various payments in reports +IncludeLoansInResults = Include loans in reports diff --git a/htdocs/langs/bg_BG/contracts.lang b/htdocs/langs/bg_BG/contracts.lang index 9ed6f4ce721..ca21463f909 100644 --- a/htdocs/langs/bg_BG/contracts.lang +++ b/htdocs/langs/bg_BG/contracts.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - contracts -ContractsArea=Секция за договори +ContractsArea=Секция с договори ListOfContracts=Списък на договори AllContracts=Всички договори ContractCard=Договор diff --git a/htdocs/langs/bg_BG/donations.lang b/htdocs/langs/bg_BG/donations.lang index 9862e87d154..aa27f9c473c 100644 --- a/htdocs/langs/bg_BG/donations.lang +++ b/htdocs/langs/bg_BG/donations.lang @@ -7,9 +7,8 @@ AddDonation=Създаване на дарение NewDonation=Ново дарение DeleteADonation=Изтриване на дарение ConfirmDeleteADonation=Сигурни ли сте, че искате да изтриете това дарение? -ShowDonation=Показване на дарение PublicDonation=Публично дарение -DonationsArea=Секция за дарения +DonationsArea=Секция с дарения DonationStatusPromiseNotValidated=Чернова DonationStatusPromiseValidated=Валидирано DonationStatusPaid=Получено diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang index 58564caac1b..3ef96256647 100644 --- a/htdocs/langs/bg_BG/errors.lang +++ b/htdocs/langs/bg_BG/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Внимание, броят н WarningDateOfLineMustBeInExpenseReportRange=Внимание, датата на реда не е в обхвата на разходния отчет WarningProjectClosed=Проектът е приключен. Трябва първо да го активирате отново. WarningSomeBankTransactionByChequeWereRemovedAfter=Някои банкови транзакции бяха премахнати, след което бе генерирана разписка, в която са включени. Броят на чековете и общата сума на разписката може да се различават от броя и общата сума в списъка. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/bg_BG/exports.lang b/htdocs/langs/bg_BG/exports.lang index 9f7bb0d9dad..f54b6ab17aa 100644 --- a/htdocs/langs/bg_BG/exports.lang +++ b/htdocs/langs/bg_BG/exports.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - exports -ExportsArea=Секция за експортиране -ImportArea=Секция за импортиране +ExportsArea=Секция с експортирания +ImportArea=Секция с импортирания NewExport=Ново експортиране NewImport=Ново импортиране ExportableDatas=Експортируем набор от данни @@ -26,6 +26,8 @@ FieldTitle=Заглавие на полето NowClickToGenerateToBuildExportFile=Сега, изберете формата на файла от полето на комбинирания списък и кликнете върху „Генериране“, за да създадете файла за експортиране... AvailableFormats=Налични формати LibraryShort=Библиотека +ExportCsvSeparator=Разделител на символи в .csv +ImportCsvSeparator=Разделител на символи в .csv Step=Стъпка FormatedImport=Асистент за импортиране FormatedImportDesc1=Този модул ви позволява да актуализирате съществуващи данни или да добавяте нови обекти в базата данни от файл без технически познания, използвайки асистент. diff --git a/htdocs/langs/bg_BG/ftp.lang b/htdocs/langs/bg_BG/ftp.lang index 1f5335df246..d74dec3de67 100644 --- a/htdocs/langs/bg_BG/ftp.lang +++ b/htdocs/langs/bg_BG/ftp.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - ftp -FTPClientSetup=Настройка на модул "FTP клиент" +FTPClientSetup=Настройка на модул FTP клиент NewFTPClient=Настройка на нова FTP връзка -FTPArea=FTP +FTPArea=Секция с FTP FTPAreaDesc=Този екран ви показва съдържанието на FTP сървъра -SetupOfFTPClientModuleNotComplete=Настройките на модула "FTP клиент" изглежда, че не са пълни +SetupOfFTPClientModuleNotComplete=Настройката на клиентския FTP модул изглежда непълна FTPFeatureNotSupportedByYourPHP=Вашият PHP не поддържа FTP функции -FailedToConnectToFTPServer=Не може да се свържете с FTP сървър (сървър %s, порт %s) -FailedToConnectToFTPServerWithCredentials=Не можете да се логнете към FTP сървър-а със зададените име и парола -FTPFailedToRemoveFile=Неуспешно премахване на файла %s. -FTPFailedToRemoveDir=Неуспешно премахване на директорията %s (Проверете правата и дали директорията е празна). +FailedToConnectToFTPServer=Неуспешно свързване с FTP сървър (сървър %s, порт %s) +FailedToConnectToFTPServerWithCredentials=Неуспешно влизане в FTP сървър с дефинираните потребителско име / парола +FTPFailedToRemoveFile=Неуспешно премахване на файл %s. +FTPFailedToRemoveDir=Неуспешно премахване на директория %s: проверете правата и дали директорията е празна. FTPPassiveMode=Пасивен режим -ChooseAFTPEntryIntoMenu=Choose a FTP entry into menu... -FailedToGetFile=Неуспешно взимане на файлове %s +ChooseAFTPEntryIntoMenu=Изберете FTP сайт от менюто... +FailedToGetFile=Неуспешно получаване на файлове %s diff --git a/htdocs/langs/bg_BG/help.lang b/htdocs/langs/bg_BG/help.lang index 912fd2b2171..fae09995adc 100644 --- a/htdocs/langs/bg_BG/help.lang +++ b/htdocs/langs/bg_BG/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=Форум/Wiki поддръжка -EMailSupport=Поддръжка по имейл +CommunitySupport=Форум / Wiki поддръжка +EMailSupport=Имейл поддръжка RemoteControlSupport=Онлайн в реално време / дистанционна поддръжка OtherSupport=Друга поддръжка -ToSeeListOfAvailableRessources=За да се свържете/вижте наличните ресурси: -HelpCenter=Помощен център -DolibarrHelpCenter=Dolibarr център за помощ и поддръжка -ToGoBackToDolibarr=В противен случай, кликнете тук, за да продължите да използвате Dolibarr. -TypeOfSupport=Тип поддръжка -TypeSupportCommunauty=Общност (безплатно) -TypeSupportCommercial=Търговски -TypeOfHelp=Тип +ToSeeListOfAvailableRessources=За да осъществите контакт или видите наличните ресурси: +HelpCenter=Център за помощ +DolibarrHelpCenter=Център за помощ и поддръжка на Dolibarr +ToGoBackToDolibarr=В противен случай, кликнете тук, за да продължите да използвате Dolibarr +TypeOfSupport=Вид поддръжка +TypeSupportCommunauty=Общностна (безплатна) +TypeSupportCommercial=Комерсиална +TypeOfHelp=Вид NeedHelpCenter=Нуждаете се от помощ или поддръжка? Efficiency=Ефективност TypeHelpOnly=Само помощ -TypeHelpDev=Помощ + развитие -TypeHelpDevForm=Помощ + развитие + обучение -BackToHelpCenter=В противен случай се върнете в началната страница на помощния център. -LinkToGoldMember=Можете да се обадите на някой от обучаващите, предварително избрани от Dolibarr за вашия език (%s), като кликнете върху тяхната джаджа (статуса и максималната цена са автоматично актуализирани): +TypeHelpDev=Помощ + разработка +TypeHelpDevForm=Помощ + разработка + обучение +BackToHelpCenter=В противен случай се върнете в началната страница на центърът за помощ. +LinkToGoldMember=Може да се обадите на някой от обучаващите, предварително посочени от Dolibarr за вашия език (%s), като кликнете върху тяхната джаджа (статуса и максималната цена са автоматично актуализирани): PossibleLanguages=Поддържани езици -SubscribeToFoundation=Помогнете на проекта Dolibarr, като се присъедините към фондацията -SeeOfficalSupport=За официална поддръжка на Dolibarr за Вашият език:
%s +SubscribeToFoundation=Помогнете на проекта Dolibarr, като се присъедините към фондацията. +SeeOfficalSupport=За официална поддръжка на Dolibarr на вашия език:
%s diff --git a/htdocs/langs/bg_BG/hrm.lang b/htdocs/langs/bg_BG/hrm.lang index 068752cfd2f..f9df9510e1b 100644 --- a/htdocs/langs/bg_BG/hrm.lang +++ b/htdocs/langs/bg_BG/hrm.lang @@ -1,16 +1,17 @@ # Dolibarr language file - en_US - hrm # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Изпрати Email за да предупредиш външната услуга ЧР +HRM_EMAIL_EXTERNAL_SERVICE=Имейл за предотвратяване на външна услуга за ЧР Establishments=Обекти Establishment=Обект NewEstablishment=Нов обект DeleteEstablishment=Изтриване на обект ConfirmDeleteEstablishment=Сигурни ли сте, че искате да изтриете този обект? -OpenEtablishment=Отвори обект -CloseEtablishment=Затвори обект +OpenEtablishment=Отваряне на обект +CloseEtablishment=Затваряне на обект # Dictionary +DictionaryPublicHolidays=ЧР - Национални празници DictionaryDepartment=ЧР - Списък с отдели -DictionaryFunction=ЧР - Списък с функции +DictionaryFunction=ЧР - Длъжности # Module Employees=Служители Employee=Служител diff --git a/htdocs/langs/bg_BG/install.lang b/htdocs/langs/bg_BG/install.lang index e4abfe30de4..42ec6841727 100644 --- a/htdocs/langs/bg_BG/install.lang +++ b/htdocs/langs/bg_BG/install.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - install -InstallEasy=Просто следвайте инструкциите стъпка по стъпка. +InstallEasy=Следвайте инструкциите стъпка по стъпка. MiscellaneousChecks=Проверка за необходими условия ConfFileExists=Конфигурационен файл %s съществува. ConfFileDoesNotExistsAndCouldNotBeCreated=Конфигурационният файл %s не съществува и не може да бъде създаден! @@ -16,7 +16,7 @@ PHPSupportCurl=PHP поддържа Curl. PHPSupportCalendar=PHP поддържа разширения на календари. PHPSupportUTF8=PHP поддържа UTF8 функции. PHPSupportIntl=PHP поддържа Intl функции. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=PHP поддържа разширени функции за отстраняване на грешки. PHPSupport=PHP поддържа %s функции. PHPMemoryOK=Максималният размер на паметта за PHP сесия е настроен на %s. Това трябва да е достатъчно. PHPMemoryTooLow=Вашият максимален размер на паметта за PHP сесия е настроен на %s байта. Това е твърде ниско. Променете php.ini като зададете стойност на параметър memory_limit поне %s байта. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Вашата PHP инсталация не поддъ ErrorPHPDoesNotSupportCalendar=Вашата PHP инсталация не поддържа разширения за календар. ErrorPHPDoesNotSupportUTF8=Вашата PHP инсталация не поддържа UTF8 функции. Dolibarr не може да работи правилно. Решете това преди да инсталирате Dolibarr. ErrorPHPDoesNotSupportIntl=Вашата PHP инсталация не поддържа Intl функции. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Вашата PHP инсталация не поддържа разширени функции за отстраняване на грешки. ErrorPHPDoesNotSupport=Вашата PHP инсталация не поддържа %s функции. ErrorDirDoesNotExists=Директорията %s не съществува. ErrorGoBackAndCorrectParameters=Върнете се назад и проверете / коригирайте параметрите. @@ -89,7 +89,7 @@ SystemIsUpgraded=Dolibarr е успешно актуализиран. YouNeedToPersonalizeSetup=Трябва да конфигурирате Dolibarr според вашите нужди (външен вид, функции, ...). За да направите това, моля последвайте връзката по-долу: AdminLoginCreatedSuccessfuly=Администраторския профил ' %s ' за Dolibarr е успешно създаден. GoToDolibarr=Отидете в Dolibarr -GoToSetupArea=Отидете в Dolibarr (секция за настройка) +GoToSetupArea=Отидете в Dolibarr (секция с настройки) MigrationNotFinished=Версията на базата данни не е напълно актуална, изпълнете отново процеса на актуализация. GoToUpgradePage=Отидете отново в страницата за актуализация WithNoSlashAtTheEnd=Без наклонена черта "/" в края @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=По време на процеса на миграц YouTryInstallDisabledByDirLock=Приложението се опита да се самоактуализира, но страниците за инсталация / актуализация са били изключени от гледна точка на сигурност (директорията е преименувана с .lock суфикс).
YouTryInstallDisabledByFileLock=Приложението се опита да се самоактуализира, но страниците за инсталация / актуализация са били изключени от гледна точка на сигурност (от наличието на заключващ файл install.lock в директорията documents на Dolibarr).
ClickHereToGoToApp=Кликнете тук, за да отидете в приложението си -ClickOnLinkOrRemoveManualy=Кликнете върху следната връзка. Ако винаги виждате същата страница, трябва да премахнете / преименувате файла install.lock в директорията documents на Dolibarr. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Ако актуализацията е в ход, моля изчакайте. Ако не, кликнете върху следната връзка. Ако винаги виждате същата страница, трябва да премахнете / преименувате файла install.lock в директорията Documents. +Loaded=Заредено +FunctionTest=Функционален тест diff --git a/htdocs/langs/bg_BG/interventions.lang b/htdocs/langs/bg_BG/interventions.lang index 489cfbcd0db..83824a59f4e 100644 --- a/htdocs/langs/bg_BG/interventions.lang +++ b/htdocs/langs/bg_BG/interventions.lang @@ -37,13 +37,11 @@ InterventionClassifiedBilledInDolibarr=Интервенция %s е фактур InterventionClassifiedUnbilledInDolibarr=Интервенция %s е нетаксувана InterventionSentByEMail=Интервенция %s е изпратена по имейл InterventionDeletedInDolibarr=Интервенция %s е изтрита -InterventionsArea=Секция за интервенции +InterventionsArea=Секция с интервенции DraftFichinter=Чернови интервенции LastModifiedInterventions=Интервенции: %s последно променени FichinterToProcess=Интервенции за извършване -##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Последващ контакт на клиента -# Modele numérotation PrintProductsOnFichinter=Отпечатване на редове от тип 'Продукт' (не само услуги) в интервенциите PrintProductsOnFichinterDetails=интервенции, генерирани от поръчки UseServicesDurationOnFichinter=Използване на продължителността на услугите за интервенции генерирани от поръчки @@ -53,7 +51,6 @@ InterventionStatistics=Статистика на интервенции NbOfinterventions=Брой интервенции NumberOfInterventionsByMonth=Брой интервенции по месец (по дата на валидиране) AmountOfInteventionNotIncludedByDefault=Общата продължителност на интервенцията не е включена по подразбиране в печалбата (в повечето случаи за отчитане на времето се използват графиците за отделно време). Добавете опцията PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT със стойност 1 в Начало -> Настройки -> Други настройки, за да я включите. -##### Exports ##### InterId=Идентификатор на интервенция InterRef=Съгласно интервенция № InterDateCreation=Дата на създаване на интервенцията @@ -65,3 +62,5 @@ InterLineId=Идентификатор на реда в интервенцият InterLineDate=Дата на реда в интервенцията InterLineDuration=Продължителност на реда в интервенцията InterLineDesc=Описание на реда в интервенцията +RepeatableIntervention=Шаблон на интервенция +ToCreateAPredefinedIntervention=За да създадете предварително определена или повтаряща се интервенция, създайте интервенция и я превърнете в шаблон за интервенция. diff --git a/htdocs/langs/bg_BG/link.lang b/htdocs/langs/bg_BG/link.lang index 047d53902e2..c513bbfbbbe 100644 --- a/htdocs/langs/bg_BG/link.lang +++ b/htdocs/langs/bg_BG/link.lang @@ -8,4 +8,4 @@ LinkRemoved=Връзката %s е премахната ErrorFailedToDeleteLink= Премахването на връзката '%s' не е успешно ErrorFailedToUpdateLink= Актуализацията на връзката '%s' не е успешна URLToLink=URL адрес -OverwriteIfExists=Overwrite file if exists +OverwriteIfExists=Презаписване на файл, ако съществува diff --git a/htdocs/langs/bg_BG/mails.lang b/htdocs/langs/bg_BG/mails.lang index e0396ddfaa9..561646e7805 100644 --- a/htdocs/langs/bg_BG/mails.lang +++ b/htdocs/langs/bg_BG/mails.lang @@ -97,7 +97,7 @@ SendingFromWebInterfaceIsNotAllowed=Изпращането от уеб инте LineInFile=Ред %s във файл RecipientSelectionModules=Възможни начини за избор на получател MailSelectedRecipients=Избрани получатели -MailingArea=Секция за масови имейли +MailingArea=Секция с масови имейли LastMailings=Масови имейли: %s последни TargetsStatistics=Целева статистика NbOfCompaniesContacts=Уникални контакти / адреси @@ -164,7 +164,7 @@ NoContactWithCategoryFound=Няма намерен контакт/адрес с NoContactLinkedToThirdpartieWithCategoryFound=Няма намерен контакт/адрес с тази категория OutGoingEmailSetup=Настройка на изходяща електронна поща InGoingEmailSetup=Настройка на входящата поща -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Настройка на изходяща електронна поща (за модул %s) DefaultOutgoingEmailSetup=Настройка на изходящата поща по подразбиране Information=Информация ContactsWithThirdpartyFilter=Контакти с филтър за контрагент diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index c5fdbe37db2..e9cfd3c09ec 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Няма наличен шаблон за този тип им AvailableVariables=Налични променливи за заместване NoTranslation=Няма превод Translation=Превод -EmptySearchString=Въведете низ за търсене +EmptySearchString=Въведете критерии за търсене NoRecordFound=Няма намерен запис NoRecordDeleted=Няма изтрит запис NotEnoughDataYet=Няма достатъчно данни @@ -187,6 +187,8 @@ ShowCardHere=Показване на карта Search=Търсене SearchOf=Търсене SearchMenuShortCut=Ctrl + Shift + F +QuickAdd=Бързо добавяне +QuickAddMenuShortCut=Ctrl + Shift + l Valid=Валидиран Approve=Одобряване Disapprove=Отхвърляне @@ -426,6 +428,7 @@ Modules=Модули / Приложения Option=Опция List=Списък FullList=Пълен списък +FullConversation=Пълен списък със съобщения Statistics=Статистика OtherStatistics=Други статистически данни Status=Статус @@ -663,6 +666,7 @@ Owner=Собственик FollowingConstantsWillBeSubstituted=Следните константи ще бъдат заменени със съответната стойност: Refresh=Обновяване BackToList=Назад към списъка +BackToTree=Обратно към дървото GoBack=Назад CanBeModifiedIfOk=Може да се променя, ако е валидно CanBeModifiedIfKo=Може да се променя, ако не е валидно @@ -830,8 +834,8 @@ Gender=Пол Genderman=Мъж Genderwoman=Жена ViewList=Списъчен изглед -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantt изглед +ViewKanban=Kanban изглед Mandatory=Задължително Hello=Здравейте GoodBye=Довиждане @@ -839,10 +843,11 @@ Sincerely=Поздрави ConfirmDeleteObject=Сигурни ли сте, че искате да изтриете този обект? DeleteLine=Изтриване на ред ConfirmDeleteLine=Сигурни ли сте, че искате да изтриете този ред? +ErrorPDFTkOutputFileNotFound=Грешка: файлът не е генериран. Моля, проверете дали командата 'pdftk' е инсталирана в директория, включена в променливата от средата $PATH (само за Linux / Unix) или се свържете със системния си администратор. NoPDFAvailableForDocGenAmongChecked=Няма PDF файл на разположение за генериране на документ в проверения запис TooManyRecordForMassAction=Твърде много записи са избрани за масово действие. Действието е ограничено до списък от %s записа. NoRecordSelected=Няма избран запис -MassFilesArea=Секция за файлове, създадени от масови действия +MassFilesArea=Секция с файлове, създадени от масови действия ShowTempMassFilesArea=Показване на секцията с файлове, създадени от масови действия ConfirmMassDeletion=Потвърждение за масово изтриване ConfirmMassDeletionQuestion=Сигурни ли сте, че искате да изтриете избраните %s записа? @@ -953,6 +958,7 @@ SearchIntoMembers=Членове SearchIntoUsers=Потребители SearchIntoProductsOrServices=Продукти или услуги SearchIntoProjects=Проекти +SearchIntoMO=Поръчки за производство SearchIntoTasks=Задачи SearchIntoCustomerInvoices=Фактури за продажба SearchIntoSupplierInvoices=Фактура за доставка @@ -1026,5 +1032,10 @@ Measures=Мерки XAxis=Х-ос YAxis=Y-ос StatusOfRefMustBe=Статуса на %s трябва да бъде %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +DeleteFileHeader=Потвърдете изтриването на файла +DeleteFileText=Сигурни ли сте, че искате да изтриете този файл? +ShowOtherLanguages=Показване на други езици +SwitchInEditModeToAddTranslation=Превключете в режим на редактиране, за да добавите преводи за този език. +NotUsedForThisCustomer=Не се използва за този клиент +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/bg_BG/margins.lang b/htdocs/langs/bg_BG/margins.lang index 0860b5c5e3e..98573ae49a9 100644 --- a/htdocs/langs/bg_BG/margins.lang +++ b/htdocs/langs/bg_BG/margins.lang @@ -29,10 +29,10 @@ UseDiscountAsService=Като услуга UseDiscountOnTotal=Като междинна сума MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Определя дали глобалната отстъпка се третира като продукт, услуга или само като междинна сума за изчисление на маржа. MARGIN_TYPE=Покупна цена / себестойност предложена по подразбиране за изчисление на маржа -MargeType1=Марж по най-добра цена от доставчик +MargeType1=Марж по най-добра покупна цена MargeType2=Марж по средно претеглена цена (WAP) MargeType3=Марж по себестойност -MarginTypeDesc=* Марж по най-добра цена от доставчик = продажна цена - най-добра цена от доставчик, дефинирани в картата на продукта / услугата.
* Марж по средно претеглена цена (WAP) = Продажна цена - Средно претеглена цена (WAP) или най-добра цена от доставчик, ако WAP все още не е дефиниран
* Марж по себестойност = Продажна цена - Себестойност, дефинирани в картата на продукта/услугата или WAP, ако себестойността не е дефинирана, или най-добра цена от доставчик, ако WAP не е дефиниран. +MarginTypeDesc=* Марж по най-добра покупна цена = продажна цена - най-добра покупна цена, дефинирани в картата на продукта / услугата.
* Марж по средно претеглена цена (WAP) = Продажна цена - Средно претеглена цена (WAP) или най-добра покупна цена, ако WAP все още не е дефиниран
* Марж по себестойност = Продажна цена - Себестойност, дефинирани в картата на продукта / услугата или WAP, ако себестойността не е дефинирана, или най-добра покупна цена, ако WAP не е дефиниран. CostPrice=Себестойност UnitCharges=Единични такси Charges=Такси diff --git a/htdocs/langs/bg_BG/members.lang b/htdocs/langs/bg_BG/members.lang index f7d1fb7ebf2..7174efa4909 100644 --- a/htdocs/langs/bg_BG/members.lang +++ b/htdocs/langs/bg_BG/members.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=Секция за членове +MembersArea=Секция с членове MemberCard=Членска карта SubscriptionCard=Абонаментна карта Member=Член @@ -92,7 +92,7 @@ ConfirmDeleteSubscription=Сигурни ли сте, че искате да и Filehtpasswd=htpasswd файл ValidateMember=Валидиране на член ConfirmValidateMember=Сигурни ли сте, че искате да валидирате този член? -FollowingLinksArePublic=Следните връзки са отворени страници, които не са защитени от дефинираните в Dolibarr права. Те не са форматирани страници, а са предоставени като пример, за да покажат как да се направи списък с членове от базата данни. +FollowingLinksArePublic=Следните връзки са активни страници, които не са защитени от дефинираните в Dolibarr права. Те не са форматирани страници, а са предоставени като пример, за да покажат как да се направи списък с членове от базата данни. PublicMemberList=Публичен списък с членове BlankSubscriptionForm=Публичен формуляр за само-абониране BlankSubscriptionFormDesc=Dolibarr може да предостави публичен URL адрес / уебсайт, за да позволи на външни посетители да се абонират за организацията. Ако е активиран модул за онлайн плащане, то може автоматично да се предостави и формуляр за плащане. diff --git a/htdocs/langs/bg_BG/modulebuilder.lang b/htdocs/langs/bg_BG/modulebuilder.lang index fb58554aed1..214ce4293d0 100644 --- a/htdocs/langs/bg_BG/modulebuilder.lang +++ b/htdocs/langs/bg_BG/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Опасна зона BuildPackage=Създаване на пакет BuildPackageDesc=Може да генерирате zip пакет, така че да сте готови да го разпространите към всеки Dolibarr. Може също така да го разпространите или да го продадете в онлайн магазина DoliStore.com. BuildDocumentation=Създаване на документация -ModuleIsNotActive=Този модул все още не е активиран. Отидете в %s, за да го направите или кликнете тук: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=Този модул е активиран. Всяка промяна може да прекъсне текуща функция. DescriptionLong=Дълго описание EditorName=Име на редактор @@ -139,3 +139,4 @@ ForeignKey=Външен ключ TypeOfFieldsHelp=Тип на полета:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] (например '1' означава, че добавяме бутон + след комбинирания списък, за да създадем записа, 'filter' може да бъде 'status=1 AND fk_user=__USER_ID AND entity IN (__SHARED_ENTITIES__)') AsciiToHtmlConverter=Ascii към HTML конвертор AsciiToPdfConverter=Ascii към PDF конвертор +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/bg_BG/mrp.lang b/htdocs/langs/bg_BG/mrp.lang index e1a1e8b0766..f7de7b6522b 100644 --- a/htdocs/langs/bg_BG/mrp.lang +++ b/htdocs/langs/bg_BG/mrp.lang @@ -56,11 +56,12 @@ ToConsume=За използване ToProduce=За произвеждане QtyAlreadyConsumed=Използвано кол. QtyAlreadyProduced=Произведено кол. +QtyRequiredIfNoLoss=Необходимо количество, ако няма загуба (Производствената ефективност е 100%%) ConsumeOrProduce=Използвано или произведено ConsumeAndProduceAll=Общо използвано и произведено Manufactured=Произведено TheProductXIsAlreadyTheProductToProduce=Продуктът, който добавяте, вече е продукт, който трябва да произведете. -ForAQuantityOf1=Количество за производство на 1 +ForAQuantityOf=Количество за производство на %s ConfirmValidateMo=Сигурни ли сте, че искате да валидирате тази поръчка за производство? ConfirmProductionDesc=С кликване върху '%s' ще потвърдите потреблението и / или производството за определените количества. Това също така ще актуализира наличностите и ще регистрира движението им. ProductionForRef=Производство на %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Количество продукт, което да с AddNewConsumeLines=Добавяне на нов ред за използване ProductsToConsume=Продукти за използване ProductsToProduce=Продукти за производство +UnitCost=Единична цена +TotalCost=Обща цена +BOMTotalCost=Разходите за производство на този списък с материали въз основа на разходите за всяко количество и продукт, които ще се използват (използвайте себестойност, ако е дефинирана, иначе средно претеглена цена, ако е определена, или най-добра покупна цена). diff --git a/htdocs/langs/bg_BG/opensurvey.lang b/htdocs/langs/bg_BG/opensurvey.lang index bb71c6b19d0..9e6b72a1305 100644 --- a/htdocs/langs/bg_BG/opensurvey.lang +++ b/htdocs/langs/bg_BG/opensurvey.lang @@ -3,7 +3,7 @@ Survey=Анкета Surveys=Анкети OrganizeYourMeetingEasily=Организирайте лесно своите срещи и анкети. Първо изберете вида на анкетата ... NewSurvey=Нова анкета -OpenSurveyArea=Секция за анкети +OpenSurveyArea=Секция с анкети AddACommentForPoll=Може да добавите коментар към анкетата... AddComment=Добавяне на коментар CreatePoll=Създаване на анкета @@ -55,7 +55,7 @@ ErrorOpenSurveyFillFirstSection=Не сте попълнили първата с ErrorOpenSurveyOneChoice=Въведете поне един избор ErrorInsertingComment=Възникна грешка при въвеждане на вашия коментар MoreChoices=Въведете повече възможности за избор на гласоподавателите -SurveyExpiredInfo=Анкетата е затворена или срокът за гласуване е изтекъл. +SurveyExpiredInfo=Анкетата е приключена или срокът за гласуване е изтекъл. EmailSomeoneVoted=%s е попълнил ред.\nМожете да намерите вашата анкета на адрес:\n%s ShowSurvey=Показване на анкета UserMustBeSameThanUserUsedToVote=Трябва да сте гласували и да използвате същото потребителско име, с което сте гласували, за да публикувате коментар diff --git a/htdocs/langs/bg_BG/orders.lang b/htdocs/langs/bg_BG/orders.lang index 09890779ff5..543cbaf346a 100644 --- a/htdocs/langs/bg_BG/orders.lang +++ b/htdocs/langs/bg_BG/orders.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Секция за поръчки за продажба -SuppliersOrdersArea=Секция за поръчки за покупка +OrdersArea=Секция с поръчки за продажба +SuppliersOrdersArea=Секция с поръчки за покупка OrderCard=Карта OrderId=Идентификатор на поръчка Order=Поръчка @@ -69,7 +69,7 @@ ValidateOrder=Валидиране на поръчка UnvalidateOrder=Променяне на поръчка DeleteOrder=Изтриване на поръчка CancelOrder=Анулиране -OrderReopened= Поръчка %s е повторно отворена +OrderReopened= Поръчка %s е активна отново AddOrder=Създаване на поръчка AddPurchaseOrder=Създаване на поръчка за покупка AddToDraftOrders=Добавяне към чернови поръчки @@ -86,8 +86,8 @@ AllOrders=Всички поръчки NbOfOrders=Брой поръчки OrdersStatistics=Статистика на поръчки за продажба OrdersStatisticsSuppliers=Статистика на поръчки за покупка -NumberOfOrdersByMonth=Брой поръчки на месец -AmountOfOrdersByMonthHT=Стойност на поръчки на месец (без ДДС) +NumberOfOrdersByMonth=Брой поръчки за месец +AmountOfOrdersByMonthHT=Стойност на поръчки за месец (без ДДС) ListOfOrders=Списък на поръчки CloseOrder=Приключване на поръчка ConfirmCloseOrder=Сигурни ли сте, че искате да поставите статус 'Доставена' на тази поръчка? След като поръчката бъде доставена, тя може да бъде фактурирана. @@ -141,11 +141,12 @@ OrderByEMail=Имейл OrderByWWW=Онлайн OrderByPhone=Телефон # Documents models -PDFEinsteinDescription=Пълен шаблон на поръчка +PDFEinsteinDescription=Пълен шаблон на поръчка (стара реализация на шаблон Eratosthene)) PDFEratostheneDescription=Пълен шаблон на поръчка PDFEdisonDescription=Опростен шаблон за поръчка PDFProformaDescription=Пълен шаблон за проформа-фактура CreateInvoiceForThisCustomer=Поръчки за фактуриране +CreateInvoiceForThisSupplier=Поръчки за фактуриране NoOrdersToInvoice=Няма поръчки за фактуриране CloseProcessedOrdersAutomatically=Класифициране като 'Обработени' на всички избрани поръчки. OrderCreation=Създаване на поръчка diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index db0d1a6edd7..ff7d312e709 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -85,8 +85,8 @@ MaxSize=Максимален размер AttachANewFile=Прикачване на нов файл / документ LinkedObject=Свързан обект NbOfActiveNotifications=Брой известия (брой получени имейли) -PredefinedMailTest=__(Здравейте)__,\nТова е тестово съобщение, изпратено до __EMAIL__.\nДвата реда са разделени, чрез въвеждане на нов ред.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Здравейте)__,\nТова е тестово съобщение (думата 'тестово' трябва да бъде с удебелен шрифт).
Двата реда са разделени, чрез въвеждане на нов ред.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Здравейте)__,\n\n\n__(Поздрави)__,\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Здравейте)__,\n\nМоля, вижте приложената фактура __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Поздрави)__,\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Здравейте)__,\n\nБихме желали да Ви напомним, че фактура __REF__ все още не е платена. Копие на фактурата е прикачено към съобщението.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Поздрави)__,\n\n__USER_SIGNATURE__ @@ -262,7 +262,7 @@ TicketCreatedByEmailCollector=Тикетът е създаден, чрез им OpeningHoursFormatDesc=Използвайте средно тире '-' за разделяне на часовете на отваряне и затваряне.
Използвайте интервал, за да въведете различни диапазони.
Пример: 8-12 14-18 ##### Export ##### -ExportsArea=Секция за експортиране +ExportsArea=Секция с експортирания AvailableFormats=Налични формати LibraryUsed=Използвана библиотека LibraryVersion=Версия на библиотеката diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index 7c7f0f55122..cd841756739 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -23,7 +23,7 @@ MassBarcodeInit=Масова инициализация на баркодове MassBarcodeInitDesc=Тази страница може да се използва за инициализиране на баркод на обекти, които нямат дефиниран баркод. Проверете преди това дали настройката на модул 'Баркод' е завършена. ProductAccountancyBuyCode=Счетоводен код (покупка) ProductAccountancyBuyIntraCode=Счетоводен код (вътреобщностна покупка) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyExportCode=Счетоводен код (импортна покупка) ProductAccountancySellCode=Счетоводен код (продажба) ProductAccountancySellIntraCode=Счетоводен код (вътреобщностна продажба) ProductAccountancySellExportCode=Счетоводен код (експортна продажба) @@ -90,9 +90,9 @@ Suppliers=Доставчици SupplierRef=№ (SKU) ShowProduct=Показване на продукт ShowService=Показване на услуга -ProductsAndServicesArea=Секция за продукти и услуги -ProductsArea=Секция за продукти -ServicesArea=Секция за услуги +ProductsAndServicesArea=Секция с продукти и услуги +ProductsArea=Секция с продукти +ServicesArea=Секция с услуги ListOfStockMovements=Списък с движения на наличности BuyingPrice=Покупна цена PriceForEachProduct=Продукти със специфични цени @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Бележка (не се вижда на фактури, ServiceLimitedDuration=Ако продуктът е услуга с ограничена продължителност: MultiPricesAbility=Множество ценови сегменти за продукт / услуга (всеки клиент е в един ценови сегмент) MultiPricesNumPrices=Брой цени +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Активиране на виртуални продукти (комплекти) AssociatedProducts=Виртуални продукти AssociatedProductsNumber=Брой продукти, съставящи този виртуален продукт @@ -167,7 +168,7 @@ SuppliersPrices=Доставни цени SuppliersPricesOfProductsOrServices=Доставни цени (на продукти / услуги) CustomCode=Митнически / Стоков / ХС код CountryOrigin=Държава на произход -Nature=Nature of product (material/finished) +Nature=Произход на продукта (суровина / произведен) ShortLabel=Кратко означение Unit=Мярка p=е. diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang index 7fae8e68de5..750710d8779 100644 --- a/htdocs/langs/bg_BG/projects.lang +++ b/htdocs/langs/bg_BG/projects.lang @@ -3,7 +3,7 @@ RefProject=Съгласно проект № ProjectRef=Проект № ProjectId=Идентификатор на проект ProjectLabel=Име на проект -ProjectsArea=Секция за проекти +ProjectsArea=Секция с проекти ProjectStatus=Статус на проект SharedProject=Всички PrivateProject=Участници в проекта @@ -115,7 +115,7 @@ ChildOfTask=Подзадача на TaskHasChild=Задачата има подзадача NotOwnerOfProject=Не сте собственик на този личен проект AffectedTo=Разпределено на -CantRemoveProject=Този проект не може да бъде премахнат, тъй като е свързан с някои други обекти (фактури, поръчки или други). Вижте раздела свързани файлове. +CantRemoveProject=Този проект не може да бъде премахнат, тъй като е свързан с някои други обекти (фактура, поръчка или друго). Вижте раздел '%s'. ValidateProject=Валидиране на проект ConfirmValidateProject=Сигурни ли сте, че искате да валидирате този проект? CloseAProject=Приключване на проект @@ -186,7 +186,7 @@ PlannedWorkload=Планирана натовареност PlannedWorkloadShort=Натовареност ProjectReferers=Свързани елементи ProjectMustBeValidatedFirst=Проектът трябва първо да бъде валидиран -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +FirstAddRessourceToAllocateTime=Определете потребителски ресурс като участници в проекта, за да разпределите времето. InputPerDay=За ден InputPerWeek=За седмица InputPerMonth=За месец @@ -255,7 +255,7 @@ ServiceToUseOnLines=Услуга за използване по редовете InvoiceGeneratedFromTimeSpent=Фактура %s е генерирана въз основа на отделеното време по проекта ProjectBillTimeDescription=Маркирайте, ако въвеждате график на задачите в проекта и планирате да генерирате фактура(и) за клиента от графика на задачите в проекта (не маркирайте, ако планирате да създадете фактура, която не се основава на въведеният график на задачите). Забележка: За да генерирате фактура, отидете в раздела "Отделено време" на проекта и изберете редовете, които да включите. ProjectFollowOpportunity=Проследяване на възможности -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Проследяване на задачи или отделено време Usage=Употреба UsageOpportunity=Употреба: Възможност UsageTasks=Употреба: Задачи @@ -265,3 +265,4 @@ NewInvoice=Нова фактура OneLinePerTask=Един ред на задача OneLinePerPeriod=Един ред на период RefTaskParent=Съгласно главна задача № +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/bg_BG/receptions.lang b/htdocs/langs/bg_BG/receptions.lang index 86cbadcb169..e3e80183b1d 100644 --- a/htdocs/langs/bg_BG/receptions.lang +++ b/htdocs/langs/bg_BG/receptions.lang @@ -7,7 +7,7 @@ AllReceptions=Всички стокови разписки Reception=Стокова разписка Receptions=Стокови разписки ShowReception=Показване на стокови разписка -ReceptionsArea=Секция за стокови разписки +ReceptionsArea=Секция със стокови разписки ListOfReceptions=Списък на стокови разписки ReceptionMethod=Начин на получаване LastReceptions=Стокови разписки: %s последни @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Количество продук ValidateOrderFirstBeforeReception=Първо трябва да валидирате поръчката, преди да може да създавате стокови разписки. ReceptionsNumberingModules=Модул за номериране на стокови разписки ReceptionsReceiptModel=Шаблони на документи за стокови разписки +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang index 8af5bad7601..0a41c54d2d7 100644 --- a/htdocs/langs/bg_BG/sendings.lang +++ b/htdocs/langs/bg_BG/sendings.lang @@ -7,7 +7,7 @@ Shipment=Пратка Shipments=Пратки ShowSending=Показване на пратка Receivings=Разписки за доставка -SendingsArea=Секция за пратки +SendingsArea=Секция с пратки ListOfSendings=Списък на пратки SendingMethod=Начин на доставка LastSendings=Пратки: %s последни @@ -54,10 +54,10 @@ ActionsOnShipping=Свързани събития LinkToTrackYourPackage=Връзка за проследяване на вашата пратка ShipmentCreationIsDoneFromOrder=За момента създаването на нова пратка се извършва от картата на поръчка. ShipmentLine=Ред на пратка -ProductQtyInCustomersOrdersRunning=Количество продукт в отворени поръчки за продажба -ProductQtyInSuppliersOrdersRunning=Количество продукт в отворени поръчки за покупка -ProductQtyInShipmentAlreadySent=Количество продукт в отворени и вече изпратени поръчки за продажба -ProductQtyInSuppliersShipmentAlreadyRecevied=Количество продукт в отворени и вече получени поръчки за покупка +ProductQtyInCustomersOrdersRunning=Количество продукт в активни поръчки за продажба +ProductQtyInSuppliersOrdersRunning=Количество продукт в активни поръчки за покупка +ProductQtyInShipmentAlreadySent=Количество продукт в активни и вече изпратени поръчки за продажба +ProductQtyInSuppliersShipmentAlreadyRecevied=Количество продукт в активни и вече получени поръчки за покупка NoProductToShipFoundIntoStock=Не е намерен продукт за изпращане в склад %s. Коригирайте наличността или се върнете, за да изберете друг склад. WeightVolShort=Тегло / Обем ValidateOrderFirstBeforeShipment=Първо трябва да валидирате поръчката, преди да може да извършвате доставки. diff --git a/htdocs/langs/bg_BG/stocks.lang b/htdocs/langs/bg_BG/stocks.lang index 08a0456f89a..3565d95bf94 100644 --- a/htdocs/langs/bg_BG/stocks.lang +++ b/htdocs/langs/bg_BG/stocks.lang @@ -28,7 +28,7 @@ ListOfInventories=Списък на инвентари MovementId=Идентификатор на движение StockMovementForId=Идентификатор на движение %d ListMouvementStockProject=Списък на движения на стокови наличности, свързани с проекта -StocksArea=Секция за складове +StocksArea=Секция със складове AllWarehouses=Всички складове IncludeAlsoDraftOrders=Включва чернови поръчки Location=Местоположение @@ -56,6 +56,13 @@ PMPValueShort=СИЦ EnhancedValueOfWarehouses=Складова стойност UserWarehouseAutoCreate=Автоматично създаване на личен потребителски склад при създаване на потребител AllowAddLimitStockByWarehouse=Управляване също и на стойност за минимална и желана наличност за двойка (продукт - склад) в допълнение към стойността за минимална и желана наличност за продукт +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Склад по подразбиране +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Наличностите за продукти и подпродукти са независими QtyDispatched=Изпратено количество QtyDispatchedShort=Изпратено кол. @@ -84,7 +91,7 @@ RealStock=Реална наличност RealStockDesc=Физическа / реална наличност е наличността, която в момента се намира в складовете. RealStockWillAutomaticallyWhen=Реалната наличност ще бъде модифицирана според това правило (както е определено в модула на Наличности): VirtualStock=Виртуална наличност -VirtualStockDesc=Виртуална наличност е изчислената наличност, която се образува след като всички отворени / предстоящи действия (които засягат наличности) се затворят (получени поръчки за покупка, изпратени клиентски поръчки и т.н.) +VirtualStockDesc=Виртуална наличност е изчислената наличност, която се образува след като всички активни / предстоящи действия (които засягат наличности) са приключени (получени поръчки за покупка, изпратени поръчки за продажба и т.н.) IdWarehouse=Идентификатор на склад DescWareHouse=Описание на склад LieuWareHouse=Местоположение на склад @@ -123,7 +130,8 @@ WarehouseForStockDecrease=Складът %s ще бъде използв WarehouseForStockIncrease=Складът %s ще бъде използван за увеличаване на наличността ForThisWarehouse=За този склад ReplenishmentStatusDesc=Това е списък на всички продукти, чиято наличност е по-малка от желаната (или е по-малка от стойността на предупреждението, ако е поставена отметка в квадратчето 'Само предупреждения'). При използване на отметка в квадратчето може да създавате поръчки за покупка, за да запълните разликата. -ReplenishmentOrdersDesc=Това е списък на всички отворени поръчки за покупка, включително предварително дефинирани продукти. Тук могат да се видят само отворени поръчки с предварително дефинирани продукти, които могат да повлияят на наличностите. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. +ReplenishmentOrdersDesc=Това е списък на всички активни поръчки за покупка, включително предварително дефинирани продукти. Тук могат да се видят само активни поръчки с предварително дефинирани продукти, които могат да повлияят на наличностите. Replenishments=Попълвания на наличности NbOfProductBeforePeriod=Количество на продукта %s в наличност преди избрания период (< %s) NbOfProductAfterPeriod=Количество на продукта %s в наличност след избрания период (> %s) @@ -148,10 +156,10 @@ ShowWarehouse=Показване на склад MovementCorrectStock=Корекция на наличност за продукт %s MovementTransferStock=Прехвърляне на наличност за продукт %s в друг склад InventoryCodeShort=Движ. / Инв. код -NoPendingReceptionOnSupplierOrder=Не се очаква получаване, тъй като поръчката за покупка е отворена +NoPendingReceptionOnSupplierOrder=Не се очаква получаване, тъй като поръчката за покупка е активна ThisSerialAlreadyExistWithDifferentDate=Тази партида / сериен № (%s) вече съществува, но с различна дата на усвояване или дата на продажба (намерена е %s, но вие сте въвели %s). -OpenAll=Отворено за всички действия -OpenInternal=Отворен само за вътрешни действия +OpenAll=Активно за всички действия +OpenInternal=Активно само за вътрешни действия UseDispatchStatus=Използване на статус на изпращане (одобряване / отхвърляне) за продуктови редове при получаване на поръчка за покупка OptionMULTIPRICESIsOn=Опцията 'Няколко цени за сегмент' е включена. Това означава, че продуктът има няколко продажни цени, така че стойността за продажба не може да бъде изчислена ProductStockWarehouseCreated=Минималното количество за предупреждение и желаните оптимални наличности са правилно създадени @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Инвентаризация за конкрет InventoryForASpecificProduct=Инвентаризация за конкретен продукт StockIsRequiredToChooseWhichLotToUse=Необходима е наличност, за да изберете коя партида да използвате. ForceTo=Принуждаване до +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/bg_BG/supplier_proposal.lang b/htdocs/langs/bg_BG/supplier_proposal.lang index a76e59f9fe1..5aa60ffd859 100644 --- a/htdocs/langs/bg_BG/supplier_proposal.lang +++ b/htdocs/langs/bg_BG/supplier_proposal.lang @@ -8,8 +8,8 @@ SearchRequest=Намиране на запитване DraftRequests=Чернови на запитвания SupplierProposalsDraft=Чернови на запитвания за цени LastModifiedRequests=Запитвания за цени: %s последно променени -RequestsOpened=Отворени запитвания за цени -SupplierProposalArea=Секция за запитвания към доставчици +RequestsOpened=Активни запитвания за цени +SupplierProposalArea=Секция със запитвания към доставчици SupplierProposalShort=Запитване към доставчик SupplierProposals=Запитвания към доставчик SupplierProposalsShort=Запитвания към доставчик @@ -23,13 +23,13 @@ ConfirmValidateAsk=Сигурни ли сте, че искате да валид DeleteAsk=Изтриване на запитване ValidateAsk=Валидиране на запитване SupplierProposalStatusDraft=Чернова (нуждае се от валидиране) -SupplierProposalStatusValidated=Валидирано (отворено) -SupplierProposalStatusClosed=Затворено +SupplierProposalStatusValidated=Валидирано (активно) +SupplierProposalStatusClosed=Приключено SupplierProposalStatusSigned=Прието SupplierProposalStatusNotSigned=Отхвърлено SupplierProposalStatusDraftShort=Чернова SupplierProposalStatusValidatedShort=Валидирано -SupplierProposalStatusClosedShort=Затворено +SupplierProposalStatusClosedShort=Приключено SupplierProposalStatusSignedShort=Прието SupplierProposalStatusNotSignedShort=Отхвърлено CopyAskFrom=Създаване на запитване, чрез копиране на съществуващо запитване diff --git a/htdocs/langs/bg_BG/ticket.lang b/htdocs/langs/bg_BG/ticket.lang index 7d68aec2abf..ddb9d38d96b 100644 --- a/htdocs/langs/bg_BG/ticket.lang +++ b/htdocs/langs/bg_BG/ticket.lang @@ -48,8 +48,8 @@ TicketSeverityShortBLOCKING=Критичен ErrorBadEmailAddress=Полето "%s" е неправилно MenuTicketMyAssign=Мои тикети -MenuTicketMyAssignNonClosed=Мои отворени тикети -MenuListNonClosed=Отворени тикети +MenuTicketMyAssignNonClosed=Мои активни тикети +MenuListNonClosed=Активни тикети TypeContact_ticket_internal_CONTRIBUTOR=Сътрудник TypeContact_ticket_internal_SUPPORTTEC=Отговорен служител @@ -105,7 +105,7 @@ TicketPublicInterfaceTextHome=Може да създадете тикет в с TicketPublicInterfaceTextHomeHelpAdmin=Текстът определен тук ще се появи на началната страница на публичния интерфейс. TicketPublicInterfaceTopicLabelAdmin=Заглавие на интерфейса TicketPublicInterfaceTopicHelp=Този текст ще се появи като заглавие на публичния интерфейс. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Помощен текст към съобщението +TicketPublicInterfaceTextHelpMessageLabelAdmin=Помощен текст към съобщение TicketPublicInterfaceTextHelpMessageHelpAdmin=Този текст ще се появи над мястото с въведено съобщение от потребителя. ExtraFieldsTicket=Допълнителни атрибути TicketCkEditorEmailNotActivated=HTML редакторът не е активиран. Моля, посочете стойност 1 за константа FCKEDITOR_ENABLE_MAIL, за да го активирате. @@ -130,16 +130,20 @@ TicketNumberingModules=Модул за номериране на тикети TicketNotifyTiersAtCreation=Уведомяване на контрагента при създаване TicketGroup=Група TicketsDisableCustomerEmail=Деактивиране на имейлите, когато тикетът е създаден от публичния интерфейс +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Секция за тикети +TicketsIndex=Секция с тикети TicketList=Списък с тикети TicketAssignedToMeInfos=Тази страница показва списък с тикети, които са създадени от вас или са ви били възложени NoTicketsFound=Няма намерени тикети NoUnreadTicketsFound=Не са открити непрочетени тикети TicketViewAllTickets=Преглед на всички тикети -TicketViewNonClosedOnly=Преглед на отворени тикети +TicketViewNonClosedOnly=Преглед на активни тикети TicketStatByStatus=Тикети по статус OrderByDateAsc=Сортиране по възходяща дата OrderByDateDesc=Сортиране по низходяща дата @@ -242,7 +246,7 @@ NoLogForThisTicket=Все още няма запис за този тикет TicketLogAssignedTo=Тикет %s е възложен на %s TicketLogPropertyChanged=Тикет %s е класифициран от %s на %s TicketLogClosedBy=Тикет %s е приключен от %s -TicketLogReopen=Тикет %s е повторно отворен +TicketLogReopen=Тикет %s е активен отново # # Public pages diff --git a/htdocs/langs/bg_BG/trips.lang b/htdocs/langs/bg_BG/trips.lang index 01fa89caaa2..b8d6575eeda 100644 --- a/htdocs/langs/bg_BG/trips.lang +++ b/htdocs/langs/bg_BG/trips.lang @@ -18,7 +18,7 @@ DeleteTrip=Изтриване на разходен отчет ConfirmDeleteTrip=Сигурни ли сте, че искате да изтриете този разходен отчет? ListTripsAndExpenses=Списък с разходни отчети ListToApprove=Очаква одобрение -ExpensesArea=Секция за разходни отчети +ExpensesArea=Секция с разходни отчети ClassifyRefunded=Класифициране като 'Възстановен' ExpenseReportWaitingForApproval=Нов разходен отчет е изпратен за одобрение ExpenseReportWaitingForApprovalMessage=Създаден е нов разходен отчет, който очаква одобрение.
- Потребител: %s
- Период: %s
Кликнете тук, за да го одобрите или отхвърлите: %s diff --git a/htdocs/langs/bg_BG/users.lang b/htdocs/langs/bg_BG/users.lang index e5a96ba466f..1b4c5498b36 100644 --- a/htdocs/langs/bg_BG/users.lang +++ b/htdocs/langs/bg_BG/users.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=Секция за човешки ресурси +HRMArea=Секция с човешки ресурси UserCard=Карта GroupCard=Карта Permission=Разрешение @@ -78,6 +78,7 @@ UserWillBeExternalUser=Създаденият потребителят ще бъ IdPhoneCaller=Идентификатор на повикващия NewUserCreated=Потребител %s е създаден NewUserPassword=Промяна на паролата за %s +NewPasswordValidated=Вашата нова парола е валидирана и може да се използва за вход. EventUserModified=Потребител %s е променен UserDisabled=Потребител %s е деактивиран UserEnabled=Потребител %s е активиран @@ -113,5 +114,5 @@ CantDisableYourself=Не можете да забраните собствени ForceUserExpenseValidator=Принудително валидиране на разходни отчети ForceUserHolidayValidator=Принудително валидиране на молби за отпуск ValidatorIsSupervisorByDefault=По подразбиране валидиращият е ръководителя на потребителя. Оставете празно, за да запазите това поведение. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Личен имейл +UserPersonalMobile=Личен моб. телефон diff --git a/htdocs/langs/bg_BG/website.lang b/htdocs/langs/bg_BG/website.lang index 1a39c7e0d2b..4590a52b3bf 100644 --- a/htdocs/langs/bg_BG/website.lang +++ b/htdocs/langs/bg_BG/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Съдържание на robots файл (robots.txt) WEBSITE_HTACCESS=Съдържание на .htaccess файл WEBSITE_MANIFEST_JSON=Съдържание на manifest.json файл WEBSITE_README=Съдържание на readme.md файл +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Въведете тук мета данни или информация за лиценз, за да попълните README.md файла. Ако разпространявате уебсайта си като шаблон, файлът ще бъде включен в пакета на шаблона. HtmlHeaderPage=HTML заглавие (само за тази страница) PageNameAliasHelp=Име или псевдоним на страницата.
Този псевдоним се използва и за измисляне на SEO URL адрес, когато уебсайтът се управлява от виртуален хост на уеб сървър (като Apacke, Nginx, ...). Използвайте бутона "%s", за да редактирате този псевдоним. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Режимът за изпълнение на „дина GlobalCSSorJS=Общ CSS / JS / заглавен файл на уебсайт BackToHomePage=Обратно към началната страница ... TranslationLinks=Преводни връзки -YouTryToAccessToAFileThatIsNotAWebsitePage=Опитвате се да получите достъп до страница, която не е страница на уебсайта +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Като добра SEO практика използвайте текст между 5 и 70 знака MainLanguage=Основен език OtherLanguages=Други езици @@ -128,3 +129,6 @@ UseManifest=Въведете manifest.json файл PublicAuthorAlias=Публичен псевдоним на автора AvailableLanguagesAreDefinedIntoWebsiteProperties=Наличните езици сa дефинирани в свойствата на уебсайта ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS емисия +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/bg_BG/withdrawals.lang b/htdocs/langs/bg_BG/withdrawals.lang index efae12ef41d..ca35cce989f 100644 --- a/htdocs/langs/bg_BG/withdrawals.lang +++ b/htdocs/langs/bg_BG/withdrawals.lang @@ -1,119 +1,140 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Област на нареждания за плащане с директен дебит -SuppliersStandingOrdersArea=Direct credit payment orders area -StandingOrdersPayment=Нареждания за плащане с директен дебит -StandingOrderPayment=Нареждане за плащане с директен дебит -NewStandingOrder=New direct debit order +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer +StandingOrdersPayment=Платежни нареждания с директен дебит +StandingOrderPayment=Платежно нареждане с директен дебит +NewStandingOrder=Ново нареждане с директен дебит +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=За обработка -WithdrawalsReceipts=Нареждане за директен дебит -WithdrawalReceipt=Direct debit order -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Искане за обработка на нареждане за плащане с директен дебит -RequestStandingOrderTreated=Искане за обработка на нареждане за плащане с директен дебит -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=Номер на фактура на клиента с нареждане за плащане с директен дебит с дефинирана банкова сметка -InvoiceWaitingWithdraw=Invoice waiting for direct debit -AmountToWithdraw=Сума за оттегляне -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Настройка на плащане с директен дебит -WithdrawStatistics=Статистика за плащане с директен дебит -WithdrawRejectStatistics=Статистически данни за отхвърляне на плащане с директен дебит -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Направете заявка за плащане с директен дебит -WithdrawRequestsDone=%s записани заявки за плащане с директен дебит +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines +WithdrawalsReceipts=Нареждания с директен дебит +WithdrawalReceipt=Нареждане с директен дебит +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders +LastWithdrawalReceipts=Файлове с директен дебит: %s последни +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line +WithdrawalsLines=Редове за нареждане с директен дебит +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed +NotPossibleForThisStatusOfWithdrawReceiptORLine=Все още не е възможно. Статусът за теглене трябва да бъде зададен на „Кредитирана“, преди да декларирате отхвърляне на конкретни редове. +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order +NbOfInvoiceToWithdrawWithInfo=Брой фактури за продажба с платежни нареждания с директен дебит и определена информация за банкова сметка +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer +InvoiceWaitingWithdraw=Фактура очакваща директен дебит +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer +AmountToWithdraw=Сума за теглене +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. +ResponsibleUser=Отговорен потребител +WithdrawalsSetup=Настройка на плащания с директен дебит +CreditTransferSetup=Crebit transfer setup +WithdrawStatistics=Статистика за плащания с директен дебит +CreditTransferStatistics=Credit transfer statistics +Rejects=Отхвърляния +LastWithdrawalReceipt=Разписки с директен дебит: %s последни +MakeWithdrawRequest=Заявяване на плащане с директен дебит +WithdrawRequestsDone=%s заявления за плащане с директен дебит са записани ThirdPartyBankCode=Банков код на контрагента -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -ClassCredited=Класифицирайте кредитирани -ClassCreditedConfirm=Сигурен ли сте, че искате да класифицира тази получаване на отказ, кредитирани по вашата банкова сметка? -TransData=Дата Предаване -TransMetod=Метод Предаване -Send=Изпращам -Lines=Линии -StandingOrderReject=Издаде отхвърли -WithdrawalRefused=Оттегляне Отказ -WithdrawalRefusedConfirm=Сигурен ли сте, че искате да въведете изтегляне отказ за обществото +NoInvoiceCouldBeWithdrawed=Няма успешно дебитирани фактури. Проверете дали фактурите са на фирми с валиден IBAN и дали този IBAN има UMR (Unique Mandate Reference) в режим %s. +ClassCredited=Класифициране като 'Кредитирана' +ClassCreditedConfirm=Сигурни ли сте, че искате да класифицирате тази разписка за теглене като кредитирана по вашата банкова сметка? +TransData=Дата на изпращане +TransMetod=Метод на изпращане +Send=Изпращане +Lines=Редове +StandingOrderReject=Изпращане на отхвърляне +WithdrawsRefused=Директният дебит е отказан +WithdrawalRefused=Тегленето е отказано +CreditTransfersRefused=Credit transfers refused +WithdrawalRefusedConfirm=Сигурни ли сте, че искате да откажете тегленето на фирмата? RefusedData=Дата на отхвърляне RefusedReason=Причина за отхвърляне -RefusedInvoicing=Фактуриране отхвърлянето -NoInvoiceRefused=Не зареждайте отхвърляне -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit -StatusWaiting=Чакане -StatusTrans=Предавани -StatusCredited=Кредитира -StatusRefused=Отказ -StatusMotif0=Неуточнен -StatusMotif1=Предоставяне insuffisante -StatusMotif2=Тиражен conteste -StatusMotif3=Няма нареждания плащане с директен дебит +RefusedInvoicing=Фактуриране на отхвърлянето +NoInvoiceRefused=Не таксувай отхвърлянето +InvoiceRefused=Фактурата е отказана (Таксувай отхвърлянето на клиента) +StatusDebitCredit=Статус дебит / кредит +StatusWaiting=Очаквано +StatusTrans=Изпратено +StatusCredited=Кредитирано +StatusRefused=Отхвърлено +StatusMotif0=Неуточнено +StatusMotif1=Недостатъчни средства +StatusMotif2=Заявлението е оспорено +StatusMotif3=Няма платежно нареждане с директен дебит StatusMotif4=Поръчка за продажба -StatusMotif5=RIB inexploitable +StatusMotif5=Неизползваем RIB StatusMotif6=Сметка без баланс StatusMotif7=Съдебно решение StatusMotif8=Друга причина -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file (all) +CreateForSepaFRST=Създаване на файл с директен дебит (SEPA FRST) +CreateForSepaRCUR=Създаване на файл с директен дебит (SEPA RCUR) +CreateAll=Създаване на файл с директен дебит (всички) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Само офис CreateBanque=Само банка -OrderWaiting=Чакащи за лечение -NotifyTransmision=Оттегляне Предаване -NotifyCredit=Оттегляне кредит -NumeroNationalEmetter=Националната предавател номер -WithBankUsingRIB=За банкови сметки с помощта на RIB -WithBankUsingBANBIC=За банкови сметки с IBAN / BIC / SWIFT -BankToReceiveWithdraw=Receiving Bank Account -CreditDate=Кредит за -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=Този раздел ви позволява да заявите плащане с директен дебит. След като направите това, отидете в меню Банка-> плащане с директен дебит, за да управлявате платежното нареждане за директен дебит. Когато платежното нареждане е затворено, плащането по фактура ще бъде автоматично записано и фактурата ще бъде затворена, ако няма остатък за плащане. -WithdrawalFile=Withdrawal file -SetToStatusSent=Зададен към статус "Файл Изпратен" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null -StatisticsByLineStatus=Статистики по статуса на линиите -RUM=Unique Mandate Reference (UMR) -DateRUM=Mandate signature date +OrderWaiting=Очаква обработка +NotifyTransmision=Withdrawal Transmission +NotifyCredit=Withdrawal Credit +NumeroNationalEmetter=Национален номер на наредителя +WithBankUsingRIB=За банкови сметки, използващи RIB +WithBankUsingBANBIC=За банкови сметки, използващи IBAN / BIC / SWIFT +BankToReceiveWithdraw=Банкова сметка за получаване +BankToPayCreditTransfer=Bank Account used as source of payments +CreditDate=Кредит на +WithdrawalFileNotCapable=Не може да се генерира файл с разписка за теглене за вашата държава %s (Вашата държава не се поддържа) +ShowWithdraw=Показване на нареждане с директен дебит +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Ако обаче фактурата има поне едно нареждане за плащане с директен дебит, което е все още необработено, то няма да бъде зададено като платено, за да позволи предварително управление на тегленето. +DoStandingOrdersBeforePayments=Този раздел ви позволява да заявите платежно нареждане с директен дебит. След като сте готови отидете в меню Банка -> Нареждания с директен дебит, за да управлявате платежното нареждане с директен дебит. Когато платежното нареждане е приключено, плащането по фактура ще бъде автоматично записано, а фактурата приключена, ако няма остатък за плащане. +WithdrawalFile=Файл за теглене +SetToStatusSent=Задаване на статус 'Изпратен файл' +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null +StatisticsByLineStatus=Статистика по статус на редове +RUM=UMR +DateRUM=Дата на подпис на нареждането RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * +RUMWillBeGenerated=Ако е празно, ще бъде генериран UMR (Unique Mandate Reference), след като бъде запазена информацията за банковата сметка. +WithdrawMode=Режим за директен дебит (FRST или RECUR) +WithdrawRequestAmount=Сума на заявлението за директен дебит: +WithdrawRequestErrorNilAmount=Не може да се създаде заявление за директен дебит при липса на сума. +SepaMandate=SEPA нареждане с директен дебит +SepaMandateShort=SEPA нареждане +PleaseReturnMandate=Моля, върнете този формуляр за нареждане по имейл на %s или по пощата на +SEPALegalText=С подписването на този формуляр за нареждане вие упълномощавате (A) %s да изпрати инструкции до вашата банка за дебитиране на вашата сметка и (B) вашата банка да дебитира вашата сметка в съответствие с инструкциите от %s. Като част от вашите права, имате право на възстановяване на средства от вашата банка съгласно условията и обстоятелствата на споразумението с вашата банка. Трябва да се поиска възстановяване на сумата в рамките на 8 седмици, считано от датата, на която сметката ви е дебитирана. Вашите права относно горното нареждане се обясняват в изявление, което може да получите от вашата банка. +CreditorIdentifier=Идентификатор на кредитора +CreditorName=Име на кредитора +SEPAFillForm=(B) Моля, попълнете всички полета, маркирани с * SEPAFormYourName=Вашето име -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +SEPAFormYourBAN=Номер на вашата банкова сметка (IBAN) +SEPAFormYourBIC=Вашият банков идентификационен код (BIC) +SEPAFrstOrRecur=Начин на плащане +ModeRECUR=Периодично плащане +ModeFRST=Еднократно плащане +PleaseCheckOne=Моля, проверете само един +DirectDebitOrderCreated=Създадена е поръчка с директен дебит %s +AmountRequested=Заявена сума SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier CI -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date +ExecutionDate=Дата на изпълнение +CreateForSepa=Създаване на файл с директен дебит +ICS=Идентификатор на кредитора CI +END_TO_END='EndToEndId' SEPA XML таг - Уникален идентификатор, присвоен на транзакция +USTRD='Unstructured' SEPA XML таг +ADDDAYS=Добавяне на дни към датата на изпълнение ### Notifications -InfoCreditSubject=Плащането на нареждане за плащане с директен дебит %s от банката -InfoCreditMessage=Нареждане за плащане с директен дебит %s е платено от банката
Данни за плащането: %s -InfoTransSubject=Предаване на нареждане за плащане с директен дебит %s към банка -InfoTransMessage=Нареждане за плащане с директен дебит %s е изпратено до банката чрез %s %s.

-InfoTransData=Размер: %s
Metode: %s
Дата: %s -InfoRejectSubject=Отказани нареждания за плащане с директен дебит -InfoRejectMessage=Здравейте,

нареждането за плащане с директен дебит на фактура %s, свързано с компанията %s, с сума от %s е отказано от банката.


%s -ModeWarning=Възможност за реален режим не е създаден, спираме след тази симулация +InfoCreditSubject=Плащане на платежно нареждане с директен дебит %s от банката +InfoCreditMessage=Платежното нареждане с директен дебит %s е платено от банката
Данни за плащане: %s +InfoTransSubject=Предаване на платежно нареждане с директен дебит %s до банка +InfoTransMessage=Платежното нареждане с директен дебит %s е изпратено до банката от %s %s.

+InfoTransData=Сума: %s
Метод: %s
Дата: %s +InfoRejectSubject=Платежното нареждане с директен дебит е отхвърлено +InfoRejectMessage=Здравейте,

Платежното нареждане с директен дебит по фактура %s, отнасящо се до фирма %s, със сума от %s е отказано от банката.

--
%s +ModeWarning=Опцията за реален режим не беше зададена, спираме след тази симулация diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/bn_BD/accountancy.lang +++ b/htdocs/langs/bn_BD/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/bn_BD/agenda.lang b/htdocs/langs/bn_BD/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/bn_BD/agenda.lang +++ b/htdocs/langs/bn_BD/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang index c29d382230a..69b09244415 100644 --- a/htdocs/langs/bn_BD/banks.lang +++ b/htdocs/langs/bn_BD/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index 2a117204fec..9e468937872 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/bn_BD/cashdesk.lang b/htdocs/langs/bn_BD/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/bn_BD/cashdesk.lang +++ b/htdocs/langs/bn_BD/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/bn_BD/categories.lang b/htdocs/langs/bn_BD/categories.lang index 806b63cf99d..9349ecc5135 100644 --- a/htdocs/langs/bn_BD/categories.lang +++ b/htdocs/langs/bn_BD/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang index 4ef1ae39ddd..ebc9f8f5ce2 100644 --- a/htdocs/langs/bn_BD/companies.lang +++ b/htdocs/langs/bn_BD/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Opened ActivityCeased=Closed diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/bn_BD/errors.lang +++ b/htdocs/langs/bn_BD/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/bn_BD/hrm.lang b/htdocs/langs/bn_BD/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/bn_BD/hrm.lang +++ b/htdocs/langs/bn_BD/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/bn_BD/install.lang b/htdocs/langs/bn_BD/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/bn_BD/install.lang +++ b/htdocs/langs/bn_BD/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 2f70685f627..dd0f4362996 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/bn_BD/modulebuilder.lang +++ b/htdocs/langs/bn_BD/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/bn_BD/mrp.lang b/htdocs/langs/bn_BD/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/bn_BD/mrp.lang +++ b/htdocs/langs/bn_BD/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/bn_BD/projects.lang +++ b/htdocs/langs/bn_BD/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/bn_BD/receptions.lang b/htdocs/langs/bn_BD/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/bn_BD/receptions.lang +++ b/htdocs/langs/bn_BD/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/bn_BD/stocks.lang b/htdocs/langs/bn_BD/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/bn_BD/stocks.lang +++ b/htdocs/langs/bn_BD/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/bn_BD/ticket.lang b/htdocs/langs/bn_BD/ticket.lang index 46b41c2f958..a9cff9391d0 100644 --- a/htdocs/langs/bn_BD/ticket.lang +++ b/htdocs/langs/bn_BD/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/bn_BD/website.lang b/htdocs/langs/bn_BD/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/bn_BD/website.lang +++ b/htdocs/langs/bn_BD/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/bn_BD/withdrawals.lang b/htdocs/langs/bn_BD/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/bn_BD/withdrawals.lang +++ b/htdocs/langs/bn_BD/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/bn_IN/accountancy.lang b/htdocs/langs/bn_IN/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/bn_IN/accountancy.lang +++ b/htdocs/langs/bn_IN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/bn_IN/admin.lang b/htdocs/langs/bn_IN/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/bn_IN/admin.lang +++ b/htdocs/langs/bn_IN/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/bn_IN/agenda.lang b/htdocs/langs/bn_IN/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/bn_IN/agenda.lang +++ b/htdocs/langs/bn_IN/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/bn_IN/banks.lang b/htdocs/langs/bn_IN/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/bn_IN/banks.lang +++ b/htdocs/langs/bn_IN/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/bn_IN/bills.lang b/htdocs/langs/bn_IN/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/bn_IN/bills.lang +++ b/htdocs/langs/bn_IN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/bn_IN/cashdesk.lang b/htdocs/langs/bn_IN/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/bn_IN/cashdesk.lang +++ b/htdocs/langs/bn_IN/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/bn_IN/categories.lang b/htdocs/langs/bn_IN/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/bn_IN/categories.lang +++ b/htdocs/langs/bn_IN/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/bn_IN/companies.lang b/htdocs/langs/bn_IN/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/bn_IN/companies.lang +++ b/htdocs/langs/bn_IN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/bn_IN/errors.lang b/htdocs/langs/bn_IN/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/bn_IN/errors.lang +++ b/htdocs/langs/bn_IN/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/bn_IN/hrm.lang b/htdocs/langs/bn_IN/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/bn_IN/hrm.lang +++ b/htdocs/langs/bn_IN/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/bn_IN/install.lang b/htdocs/langs/bn_IN/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/bn_IN/install.lang +++ b/htdocs/langs/bn_IN/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/bn_IN/main.lang b/htdocs/langs/bn_IN/main.lang index 824a5e495b8..adbc443198f 100644 --- a/htdocs/langs/bn_IN/main.lang +++ b/htdocs/langs/bn_IN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/bn_IN/modulebuilder.lang b/htdocs/langs/bn_IN/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/bn_IN/modulebuilder.lang +++ b/htdocs/langs/bn_IN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/bn_IN/mrp.lang b/htdocs/langs/bn_IN/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/bn_IN/mrp.lang +++ b/htdocs/langs/bn_IN/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/bn_IN/other.lang b/htdocs/langs/bn_IN/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/bn_IN/other.lang +++ b/htdocs/langs/bn_IN/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/bn_IN/products.lang b/htdocs/langs/bn_IN/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/bn_IN/projects.lang b/htdocs/langs/bn_IN/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/bn_IN/projects.lang +++ b/htdocs/langs/bn_IN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/bn_IN/receptions.lang b/htdocs/langs/bn_IN/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/bn_IN/receptions.lang +++ b/htdocs/langs/bn_IN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/bn_IN/stocks.lang b/htdocs/langs/bn_IN/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/bn_IN/stocks.lang +++ b/htdocs/langs/bn_IN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/bn_IN/ticket.lang b/htdocs/langs/bn_IN/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/bn_IN/ticket.lang +++ b/htdocs/langs/bn_IN/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/bn_IN/website.lang b/htdocs/langs/bn_IN/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/bn_IN/website.lang +++ b/htdocs/langs/bn_IN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/bn_IN/withdrawals.lang b/htdocs/langs/bn_IN/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/bn_IN/withdrawals.lang +++ b/htdocs/langs/bn_IN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang index 39446ad24d9..e57fc06e4a3 100644 --- a/htdocs/langs/bs_BA/accountancy.lang +++ b/htdocs/langs/bs_BA/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index 0346cefe6a8..8271b229888 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Sljedeća vrijednost (fakture) NextValueForCreditNotes=Sljedeća vrijednost (KO) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Slijedeća vrijednost (zamjene) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Novo +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=Link @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Upozorenje, ova vrijednost se može prebrisati posebnim postavkama korisnika (svaki korisnik može postaviti svoj clicktodial URL) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Primjer: +2 (popuniti samo ako imate problema sa ofsetima vremenskih zona) GetBarCode=Preuzeti barkod NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Subjekti MailToMember=Članovi MailToUser=Korisnici MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/bs_BA/agenda.lang b/htdocs/langs/bs_BA/agenda.lang index e276b695a38..fed1612513b 100644 --- a/htdocs/langs/bs_BA/agenda.lang +++ b/htdocs/langs/bs_BA/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Ponuda obrisana OrderDeleted=Narudžba obrisana InvoiceDeleted=Faktura obrisana +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Datum početka @@ -151,3 +154,6 @@ EveryMonth=Svakog mjeseca DayOfMonth=Dan u mjesecu DayOfWeek=Dan u sedmici DateStartPlusOne=Datum početka + 1 sat +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang index b95d53c40fd..a48b49c2555 100644 --- a/htdocs/langs/bs_BA/banks.lang +++ b/htdocs/langs/bs_BA/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valjan SwiftVNotalid=BIC/SWIFT nije valjan IbanValid=BAN valjan IbanNotValid=BAN nije valjan -StandingOrders=Nalozi za plaćanje +StandingOrders=Direct debit orders StandingOrder=Nalog za plaćanje +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Izvod računa AccountStatementShort=Izvod AccountStatements=Izvodi računa diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index 919875b0135..f6d87fde42c 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Popust ponuđen (uplata prije roka) EscompteOfferedShort=Popust SendBillRef=Slanje fakture %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Nalog za plaćanje NoDraftBills=Nema uzoraka faktura NoOtherDraftBills=Nema drugih uzoraka faktura NoDraftInvoices=Nema uzoraka faktura @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Faktura obrisana BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/bs_BA/cashdesk.lang b/htdocs/langs/bs_BA/cashdesk.lang index 30796188873..5e3512d5147 100644 --- a/htdocs/langs/bs_BA/cashdesk.lang +++ b/htdocs/langs/bs_BA/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/bs_BA/categories.lang b/htdocs/langs/bs_BA/categories.lang index 325e8e64587..cb6c6a88aa4 100644 --- a/htdocs/langs/bs_BA/categories.lang +++ b/htdocs/langs/bs_BA/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ova kategorija ne sadrži nijedan proizvod. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ova kategorija ne sadrži nijednog kupca. -ThisCategoryHasNoMember=Ova kategorija ne sadrži nijednog člana. -ThisCategoryHasNoContact=Ova kategorija ne sadrži nijednog kontakta. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/bs_BA/companies.lang b/htdocs/langs/bs_BA/companies.lang index af7c0a6cc82..1987d742cd4 100644 --- a/htdocs/langs/bs_BA/companies.lang +++ b/htdocs/langs/bs_BA/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Područje za moguće kupce IdThirdParty=ID subjekta IdCompany=ID kompanije IdContact=ID kontakta -Contacts=Kontakti/Adrese ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Kompanija @@ -298,7 +297,8 @@ AddContact=Napravi kontakt AddContactAddress=Napravi kontakt/adresu EditContact=Uredi kontakt EditContactAddress=Uredi kontakt/adresu -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakti/Adrese ContactId=Id kontakta ContactsAddresses=Kontakti/Adrese FromContactName=Naziv: @@ -325,7 +325,8 @@ CompanyDeleted=Kompanija"%s" obrisana iz baze podataka ListOfContacts=Lista kontakta/adresa ListOfContactsAddresses=Lista kontakta/adresa ListOfThirdParties=List of Third Parties -ShowContact=Prikaži kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Svi (bez filtera) ContactType=Tip kontakta ContactForOrders=Kontakt narudžbe @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Otvori ActivityCeased=Zatvoreno diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang index 5ab22b34cc1..b282d7a50d6 100644 --- a/htdocs/langs/bs_BA/errors.lang +++ b/htdocs/langs/bs_BA/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/bs_BA/hrm.lang b/htdocs/langs/bs_BA/hrm.lang index 4daa4b2354f..1415c9117c3 100644 --- a/htdocs/langs/bs_BA/hrm.lang +++ b/htdocs/langs/bs_BA/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Zaposlenik diff --git a/htdocs/langs/bs_BA/install.lang b/htdocs/langs/bs_BA/install.lang index 204e5360006..1b167f54b87 100644 --- a/htdocs/langs/bs_BA/install.lang +++ b/htdocs/langs/bs_BA/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index a025ce378fb..19185a7375f 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Šablon za ovu vrstu emaila nije dostupan AvailableVariables=Dostupne zamjenske varijable NoTranslation=Nema prevoda Translation=Prevod -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nije pronađen zapis NoRecordDeleted=Nijedan zapis nije obrisan NotEnoughDataYet=Nema dovoljno podataka @@ -187,6 +187,8 @@ ShowCardHere=Prikaži karticu Search=Traži SearchOf=Traži SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valjan Approve=Odobriti Disapprove=Odbij @@ -426,6 +428,7 @@ Modules=Moduli/aplikacije Option=Opcija List=Spisak FullList=Potpuni spisak +FullConversation=Full conversation Statistics=Statistika OtherStatistics=Druge statistike Status=Status @@ -663,6 +666,7 @@ Owner=Vlasnik FollowingConstantsWillBeSubstituted=Sljedeće konstante će se zamijeniti sa odgovarajućim vrijednostima. Refresh=Osvježi BackToList=Nazad na spisak +BackToTree=Back to tree GoBack=Idi nazad CanBeModifiedIfOk=Može se mijenjati ako je valjan CanBeModifiedIfKo=Može biti promijenjeno ako nije valjano @@ -839,6 +843,7 @@ Sincerely=S poštovanjem ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Obriši red ConfirmDeleteLine=Da li ste sigurni da želite obrisati ovaj red? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Nijedan PDF nije dostupan za kreiranje dokumenata među provjerenim zapisima TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Nijedan zapis nije odabran @@ -953,12 +958,13 @@ SearchIntoMembers=Članovi SearchIntoUsers=Korisnici SearchIntoProductsOrServices=Proizvodi ili usluge SearchIntoProjects=Projekti +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Zadaci SearchIntoCustomerInvoices=Fakture kupaca SearchIntoSupplierInvoices=Fakture prodavača SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Narudžbe za nabavku -SearchIntoCustomerProposals=Ponude kupcima +SearchIntoCustomerProposals=Poslovni prijedlozi SearchIntoSupplierProposals=Prijedlozi prodavača SearchIntoInterventions=Intervencije SearchIntoContracts=Ugovori @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang index f77b9464f24..db704769abd 100644 --- a/htdocs/langs/bs_BA/modulebuilder.lang +++ b/htdocs/langs/bs_BA/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/bs_BA/mrp.lang b/htdocs/langs/bs_BA/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/bs_BA/mrp.lang +++ b/htdocs/langs/bs_BA/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index 0ecb34ad42f..3b543fcee8d 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index afa6c414b77..990bc66d759 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=Zadnjih %s izmijenjenih proizvoda/usluga +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index 4e6387a89ab..92c0cc53add 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Niste vlasnik ovog privatnog projekta AffectedTo=Dodijeljeno -CantRemoveProject=Ovaj projekat se ne može ukloniti jer je u vezi sa nekim drugim objektom (faktura, narudžba i ostalo). Pogledajte tab sa odnosima. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Potvrdi projekat ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Zatvori projekta @@ -265,3 +265,4 @@ NewInvoice=Nova faktura OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/bs_BA/receptions.lang b/htdocs/langs/bs_BA/receptions.lang index ed957084adb..046136a95ab 100644 --- a/htdocs/langs/bs_BA/receptions.lang +++ b/htdocs/langs/bs_BA/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/bs_BA/stocks.lang b/htdocs/langs/bs_BA/stocks.lang index 328cbb22889..3e706fba982 100644 --- a/htdocs/langs/bs_BA/stocks.lang +++ b/htdocs/langs/bs_BA/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PAS EnhancedValueOfWarehouses=Skladišna vrijednost UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Glavno skladište +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Otpremljena količina QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Skladište %s će biti korišteno za smanjenje WarehouseForStockIncrease=Skladište %s će biti korišteno za povećanje zalihe ForThisWarehouse=Za ovo skladište ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Nadopune NbOfProductBeforePeriod=Količina proizvoda %s u zalihi prije odabranog perioda (%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/bs_BA/ticket.lang b/htdocs/langs/bs_BA/ticket.lang index 838c66b9348..bcfd05169d8 100644 --- a/htdocs/langs/bs_BA/ticket.lang +++ b/htdocs/langs/bs_BA/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupa TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/bs_BA/website.lang b/htdocs/langs/bs_BA/website.lang index a640f72129e..42ce56711f0 100644 --- a/htdocs/langs/bs_BA/website.lang +++ b/htdocs/langs/bs_BA/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/bs_BA/withdrawals.lang b/htdocs/langs/bs_BA/withdrawals.lang index 9ed0ddbf482..0d6ccfea18c 100644 --- a/htdocs/langs/bs_BA/withdrawals.lang +++ b/htdocs/langs/bs_BA/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direktni nalog za plaćanje NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Za obradu +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Nalog za plaćanje +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Iznos za podizanje -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Odbijeno LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Poslati Lines=Tekst StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Jeste li sigurni da želite da unesete odbijenicu povlačenja za društvo RefusedData=Datum odbacivanja RefusedReason=Razlog za odbijanje @@ -58,6 +76,8 @@ StatusMotif8=Drugi razlog CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Samo office CreateBanque=Samo banka OrderWaiting=Čeka na razmatranje @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 744d72ed9b1..80a469ad9eb 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -3,7 +3,7 @@ Accountancy=Comptabilitat Accounting=Comptabilitat ACCOUNTING_EXPORT_SEPARATORCSV=Separador de columna pel fitxer d'exportació ACCOUNTING_EXPORT_DATE=Format de data pel fitxer d'exportació -ACCOUNTING_EXPORT_PIECE=Export the number of piece +ACCOUNTING_EXPORT_PIECE=Exporta el número d'assentament ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account ACCOUNTING_EXPORT_LABEL=Exporta l'etiqueta ACCOUNTING_EXPORT_AMOUNT=Exporta l'import @@ -11,7 +11,7 @@ ACCOUNTING_EXPORT_DEVISE=Exporta la moneda Selectformat=Selecciona el format del fitxer ACCOUNTING_EXPORT_FORMAT=Selecciona el format del fitxer ACCOUNTING_EXPORT_ENDLINE=Seleccioneu el tipus de retorn -ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name +ACCOUNTING_EXPORT_PREFIX_SPEC=Especifica el prefix del nom del fitxer ThisService=Aquest servei ThisProduct=Aquest producte DefaultForService=Defecte per al servei @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Els passos següents s'han de fer per estalviar AccountancyAreaDescActionFreq=Les següents accions s'executen normalment cada mes, setmana o dia per empreses molt grans ... AccountancyAreaDescJournalSetup=PAS %s: Crea o consulta el contingut dels teus diaris des del menú %s -AccountancyAreaDescChartModel=PAS %s: Crear un model de pla de comptes des del menú %s -AccountancyAreaDescChart=PAS %s: Crear o comprovar el contingut del seu pla de comptes des del menú %s +AccountancyAreaDescChartModel=PAS %s: Comprovar que existeix un model de pla de compte o crear-ne un des del menu %s +AccountancyAreaDescChart=PAS %s: Seleccionar i/o completar el vostre pla de compte des del menu %s AccountancyAreaDescVat=PAS %s: Defineix comptes comptables per cada tipus d'IVA. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescDefault=STEP %s: Definir comptes comptables predeterminats. Per això, utilitzeu l'entrada del menú %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Línies de factura comptabilitzades ExpenseReportLines=Línies d'informes de despeses a comptabilitzar ExpenseReportLinesDone=Línies comptabilitzades d'informes de despeses IntoAccount=Línia comptabilitzada amb el compte comptable -TotalForAccount=Total for accounting account +TotalForAccount=Total per compte comptable Ventilate=Comptabilitza @@ -169,15 +169,15 @@ DONATION_ACCOUNTINGACCOUNT=Compte comptable per registrar les donacions ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Compte comptable per a registrar les donacions ACCOUNTING_PRODUCT_BUY_ACCOUNT=Compte comptable per defecte per als productes comprats (utilitzat si no es defineix en el producte) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Compte de comptabilitat per defecte dels productes comprats a la CEE (utilitzat si no està definit a la taula de productes) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Compte de comptabilitat per defecte dels productes comprats i importats fora de la CEE (utilitzat si no està definit a la taula de productes) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Compte comptable per defecte pels productes venuts (s'utilitza si no es defineix en el full de producte) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Compte comptable per defecte per als productes venuts a la CEE (utilitzat si no es defineix en el producte) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Compte comptable per defecte per als productes venuts d'exportació (utilitzat si no es defineix en el producte) ACCOUNTING_SERVICE_BUY_ACCOUNT=Compte comptable per defecte per als serveis adquirits (s'utilitza si no es defineix en el full de servei) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Compte de comptabilitat per defecte dels serveis comprats a la CEE (utilitzat si no està definit a la taula de serveis) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Compte de comptabilitat per defecte dels serveis comprats i importats fora de la CEE (utilitzat si no està definit a la taula de serveis) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Compte comptable per defecte per als serveis venuts (s'utilitza si no es defineix en el full de servei) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Compte comptable per defecte per als serveis venuts a la CEE (utilitzat si no es defineix en el servei) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Compte comptable per defecte per als serveis venuts i exportats fora de la CEE (utilitzat si no es defineix en el servei) @@ -234,15 +234,15 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercer desconegut ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Compte de tercers no definit o tercer desconegut. Error de bloqueig. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Compte de tercers desconegut i compte d'espera no definit. Error de bloqueig PaymentsNotLinkedToProduct=Pagament no vinculat a cap producte / servei -OpeningBalance=Opening balance +OpeningBalance=Saldo d'obertura ShowOpeningBalance=Mostra el saldo d'obertura HideOpeningBalance=Amagueu el balanç d'obertura -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Mostrar subtotals per grup Pcgtype=Grup de compte PcgtypeDesc=S'utilitzen grups de comptes com a criteris predefinits de "filtre" i "agrupació" per a alguns informes de comptabilitat. Per exemple, "Ingressos" o "DESPESES" s'utilitzen com a grups per a comptes de comptabilitat de productes per crear l'informe de despeses / ingressos. -Reconcilable=Reconcilable +Reconcilable=Reconciliable TotalVente=Total turnover before tax TotalMarge=Marge total de vendes @@ -317,13 +317,13 @@ Modelcsv_quadratus=Exporta a Quadratus QuadraCompta Modelcsv_ebp=Exporta a EBP Modelcsv_cogilog=Exporta a Cogilog Modelcsv_agiris=Exporta a Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) +Modelcsv_LDCompta=Exportar per LD Compta (v9) (Test) +Modelcsv_LDCompta10=Exportar per LD Compta (v10 i més) Modelcsv_openconcerto=Exporta per a OpenConcerto (Test) Modelcsv_configurable=Exporta CSV configurable Modelcsv_FEC=Exporta FEC Modelcsv_Sage50_Swiss=Exportació per Sage 50 Switzerland -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta ChartofaccountsId=Id pla comptable ## Tools - Init accounting account on product / service @@ -336,14 +336,14 @@ OptionModeProductSell=En mode vendes OptionModeProductSellIntra=Les vendes de mode exportades a la CEE OptionModeProductSellExport=Les vendes de mode exportades a altres països OptionModeProductBuy=En mode compres -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Mode compres importades a la CEE +OptionModeProductBuyExport=Mode compres importades de fora la CEE OptionModeProductSellDesc=Mostra tots els productes amb compte comptable per a les vendes. OptionModeProductSellIntraDesc=Mostra tots els productes amb compte comptable per a les vendes en CEE. OptionModeProductSellExportDesc=Mostra tots els productes amb compte comptable per a altres vendes a l’estranger. OptionModeProductBuyDesc=Mostra tots els productes amb compte comptable per a les compres. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. +OptionModeProductBuyIntraDesc=Mostra tots els productes amb compte comptable per a compres a la CEE. +OptionModeProductBuyExportDesc=Mostra tots els productes amb compte comptable per a compres fora de la CEE. CleanFixHistory=Eliminar el codi comptable de les línies que no existeixen als gràfics de compte CleanHistory=Reinicia tota la comptabilització per l'any seleccionat PredefinedGroups=Grups predefinits @@ -354,8 +354,8 @@ AccountRemovedFromGroup=S'ha eliminat el compte del grup SaleLocal=Venda local SaleExport=Venda d’exportació SaleEEC=Venda en CEE -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleEECWithVAT=Venda a la CEE amb un IVA que no és nul, per la qual cosa suposem que NO es tracta d’una venda intracomunitària i el compte suggerit és el compte estàndard del producte. +SaleEECWithoutVATNumber=Venda a la CEE sense IVA però l’identificador d’IVA d'aquest tercer no està definit. Així que s'ha emprat el compte del producte per a vendes estàndard. Podeu corregir l’identificador d’IVA d'aquest tercer o el compte del producte si cal. ## Dictionary Range=Rang de compte comptable diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index 3cb95c70a42..038c891c704 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Servidor web usuari/grup NoSessionFound=Sembla que el seu PHP no pot llistar les sessions actives. El directori de salvaguardat de sessions (%s) pot estar protegit (per exemple, pels permisos del sistema operatiu o per la directiva open_basedir del seu PHP). DBStoringCharset=Codificació base de dades per emmagatzematge de dades DBSortingCharset=Codificació base de dades per classificar les dades -HostCharset=Host charset +HostCharset=Joc de caràcters del servidor ClientCharset=Joc de caràcters del client ClientSortingCharset="Collation" del client WarningModuleNotActive=Mòdul %s no actiu @@ -95,7 +95,7 @@ NextValueForInvoices=Pròxim valor (factures) NextValueForCreditNotes=Pròxim valor (abonaments) NextValueForDeposit=Següent valor (bestreta) NextValueForReplacements=Pròxim valor (rectificatives) -MustBeLowerThanPHPLimit=Observació: El seu PHP limita la mida a %s %s de màxim, per qualsevol quin sigui el valor d'aquest paràmetre +MustBeLowerThanPHPLimit=Nota: actualment la vostra configuració PHP limita la mida màxima de fitxers per a la pujada a %s %s, independentment del valor d'aquest paràmetre. NoMaxSizeByPHPLimit=Cap limitació interna en el seu servidor PHP MaxSizeForUploadedFiles=Tamany màxim dels documents a pujar (0 per prohibir la pujada) UseCaptchaCode=Utilització de codi gràfic (CAPTCHA) en el login @@ -207,7 +207,7 @@ ModulesMarketPlaces=Trobar mòduls/complements externs ModulesDevelopYourModule=Desenvolupeu els vostres mòduls/aplicacions ModulesDevelopDesc=Podeu desenvolupar o trobar un partner que desenvolupi per a vostè, el vostre mòdul personalitzat DOLISTOREdescriptionLong=En lloc d'anar al lloc web www.dolistore.com per trobar un mòdul extern, podeu utilitzar aquesta eina incrustada que farà la cerca en la tenda per vosaltres (pot ser lent, necessiteu un accés a internet)... -NewModule=Nou +NewModule=Nou mòdul FreeModule=Gratuït CompatibleUpTo=Compatible amb la versió %s NotCompatible=Aquest mòdul no sembla compatible amb el vostre Dolibarr %s (Mín %s - Màx %s). @@ -219,7 +219,7 @@ Nouveauté=Novetat AchatTelechargement=Comprar / Descarregar GoModuleSetupArea=Per desplegar / instal·lar un nou mòdul, aneu a l'àrea de configuració del mòdul: %s . DoliStoreDesc=DoliStore, el lloc oficial de mòduls complementaris per Dolibarr ERP / CRM -DoliPartnersDesc=Llista d'empreses que proporcionen desenvolupament a mida de mòduls o funcionalitats
Nota: com que Dolibarr es una aplicació de codi obert, qualsevol empresa amb experiència amb programació PHP pot desenvolupar un mòdul. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Llocs web de referència per trobar més mòduls (no core)... DevelopYourModuleDesc=Algunes solucions per desenvolupar el vostre propi mòdul... URL=URL @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Caselles de verificació ExtrafieldCheckBoxFromList=Caselles de verificació des de taula ExtrafieldLink=Enllaç a un objecte ComputedFormula=Camp calculat -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=Podeu introduir aquí una fórmula utilitzant altres propietats de l’objecte o qualsevol codi PHP per obtenir un valor calculat dinàmicament. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclós l'operador condicional "?" i els següents objectes globals: $db, $conf, $langs, $mysoc, $user, $object .
ATENCIÓ : Només poden estar disponibles algunes propietats de $object. Si necessiteu una propietat no carregada, només cal que incorporeu l'objecte a la vostra fórmula com en el segon exemple.
Utilitzar un camp calculat implica que no podreu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula pot no tornar res.

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

Exemple per tornar a carregar l'objecte
(($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Un altre exemple de fórmula per forçar la càrrega de l'objecte i el seu objecte pare:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Emmagatzemar el camp computat ComputedpersistentDesc=Els camps addicionals computats s’emmagatzemaran a la base de dades, però, el valor només es tornarà a calcular quan l’objecte d’aquest camp s’ha canviat. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor podria estar equivocat !! ExtrafieldParamHelpPassword=Mantenir aquest camp buit significa que el valor s'emmagatzema sense xifrar (el camp només ha d'estar amagat amb una estrella sobre la pantalla).
Establiu aquí el valor 'auto' per utilitzar la regla de xifrat per defecte per guardar la contrasenya a la base de dades (el valor llegit serà només el "hash", no hi haurà cap manera de recuperar el valor original) @@ -446,12 +446,13 @@ LinkToTestClickToDial=Introduïu un número de telèfon que voleu marcar per pro RefreshPhoneLink=Refrescar enllaç LinkToTest=Enllaç seleccionable per l'usuari %s (feu clic al número per provar) KeepEmptyToUseDefault=Deixa-ho buit per usar el valor per defecte +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Enllaç per defecte SetAsDefault=Indica'l com Defecte ValueOverwrittenByUserSetup=Atenció: Aquest valor pot ser sobreescrit per un valor específic de la configuració de l'usuari (cada usuari pot tenir la seva pròpia url clicktodial) ExternalModule=Mòdul extern InstalledInto=Instal·lat al directori %s -BarcodeInitForthird-parties=Inicialització massiva de codis de barres per a tercers +BarcodeInitForThirdparties=Inicialització massiva de codis de barres per a tercers BarcodeInitForProductsOrServices=Inici massiu de codi de barres per productes o serveis CurrentlyNWithoutBarCode=Actualment, té %s registres a %s %s sense codi de barres definit. InitEmptyBarCode=Iniciar valor pels %s registres buits @@ -541,8 +542,8 @@ Module54Name=Contractes/Subscripcions Module54Desc=Gestió de contractes (serveis o subscripcions recurrents) Module55Name=Codis de barra Module55Desc=Gestió dels codis de barra -Module56Name=Telefonia -Module56Desc=Gestió de la telefonia +Module56Name=Pagaments per transferència de crèdit +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pagaments directes de deute bancari Module57Desc=Gestió de domiciliacions. També inclou generació del fitxer SEPA per als països europeus. Module58Name=ClickToDial @@ -1016,7 +1017,7 @@ LocalTax2IsUsedDescES=El tipus d'IRPF proposat per defecte en les creacions de p LocalTax2IsNotUsedDescES=El tipus d'IRPF proposat per defecte es 0. Final de regla. LocalTax2IsUsedExampleES=A Espanya, es tracta de persones físiques: autònoms i professionals independents que presten serveis i empreses que han triat el règim fiscal de mòduls. LocalTax2IsNotUsedExampleES=A Espanya, es tracta d'empreses no subjectes al règim fiscal de mòduls. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +RevenueStampDesc=El "segell fiscal" o "segell de ingressos" és un impost fix per factura (no depèn de la quantitat de la factura). També pot ser un impost percentual, però utilitzar el segon o tercer tipus d’impost és millor per a impostos percentuals ja que els segells d’impostos no proporcionen cap mena d’informació. Només uns pocs països utilitzen aquest tipus d’impostos. UseRevenueStamp=Utilitzar un segell fiscal UseRevenueStampExample=El valor del segell fiscal està definit per defecte en la configuració dels diccionaris (%s - %s - %s) CalcLocaltax=Informes d'impostos locals @@ -1145,6 +1146,7 @@ AvailableModules=Mòduls/complements disponibles ToActivateModule=Per activar els mòduls, aneu a l'àrea de Configuració (Inici->Configuració->Mòduls). SessionTimeOut=Timeout de sesions SessionExplanation=Aquest número garanteix que la sessió no caduqui abans d'aquest retard, si el netejador de sessió es fa mitjançant un netejador de sessió de PHP intern (i res més). El netejador de sessió intern de PHP no garanteix que la sessió expire després d'aquest retard. Caducarà, després d'aquest retard, i quan s'executi el netejador de sessió, de manera que cada accés %s / %s , però només durant l'accés fet per altres sessions (si el valor és 0, significa que l'eliminació de la sessió només es fa mitjançant un extern procés).
Nota: en alguns servidors amb un mecanisme de neteja de sessió externa (cron sota debian, ubuntu ...), les sessions es poden destruir després d'un període definit per una configuració externa, independentment del valor introduït aquí. +SessionsPurgedByExternalSystem=Sembla que les sessions en aquest servidor són netejades mitjançant un mecanisme extern (cron sota debian, ubuntu ...), probablement cada %s segons (= el valor del paràmetre sessió.gc_maxlifetime ), així que modificant aquest valor aquí no té cap efecte, Heu de sol·licitar a l’administrador del servidor que canviï la durada de la sessió. TriggersAvailable=Triggers disponibles TriggersDesc=Els triggers són arxius que modifiquen el comportament del fluxe de treball de Dolibarr un cop s'han copiat a la carpeta htdocs/core/triggers. Realitzen noves accions activades pels esdeveniments de Dolibarr (creació d'empresa, validació factura, ...). TriggerDisabledByName=Triggers d'aquest arxiu desactivador pel sufix -NORUN en el nom de l'arxiu. @@ -1262,6 +1264,7 @@ FieldEdition=Edició del camp %s FillThisOnlyIfRequired=Exemple: +2 (Completi només si es registre una desviació del temps en l'exportació) GetBarCode=Obté el codi de barres NumberingModules=Models de numeració +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Retorna una contrasenya generada per l'algoritme intern Dolibarr: 8 caràcters, números i caràcters en minúscules barrejades. PasswordGenerationNone=No suggereixis una contrasenya generada. La contrasenya s'ha d'escriure manualment. @@ -1273,7 +1276,7 @@ RuleForGeneratedPasswords=Regles per generar i validar contrasenyes DisableForgetPasswordLinkOnLogonPage=No mostri l'enllaç "Contrasenya oblidada" a la pàgina d'inici de sessió UsersSetup=Configuració del mòdul usuaris UserMailRequired=Es necessita un correu electrònic per crear un nou usuari -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Amagueu els usuaris inactius de totes les llistes combo d’usuaris (no es recomana: això pot significar que no podreu filtrar ni cercar usuaris antics en algunes pàgines) UsersDocModules=Plantilles de documents per a documents generats a partir d'un registre d'usuari GroupsDocModules=Plantilles de documents per a documents generats a partir d’un registre de grup ##### HRM setup ##### @@ -1714,7 +1717,7 @@ EndPointIs=Els clients SOAP hauran d'enviar les seves solicituds al punt final e ##### API #### ApiSetup=Configuració del mòdul API ApiDesc=Habilitant aquest mòdul, Dolibarr serà un servidor REST per oferir varis serveis web. -ApiProductionMode=Activar el mode producció (actvarà l'ús de cachés per a la gestió dels servicis) +ApiProductionMode=Activa el mode de producció (activarà l'ús de cachés per a la gestió de serveis) ApiExporerIs=Pots explorar i provar les API en la URL OnlyActiveElementsAreExposed=Només s'exposen els elements de mòduls habilitats ApiKey=Clau per l'API @@ -1805,7 +1808,7 @@ TopMenuDisableImages=Oculta les imatges en el menú superior LeftMenuBackgroundColor=Color de fons pel menú de l'esquerra BackgroundTableTitleColor=Color de fons per línies de títol en taules BackgroundTableTitleTextColor=Color del text per a la línia del títol de la taula -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Color del text per a la línia d'enllaç del títol de la taula BackgroundTableLineOddColor=Color de fons per les línies senars de les taules BackgroundTableLineEvenColor=Color de fons per les línies parells de les taules MinimumNoticePeriod=Període mínim de notificació (La solicitud de dia lliure serà donada abans d'aquest període) @@ -1844,6 +1847,7 @@ MailToThirdparty=Tercers MailToMember=Socis MailToUser=Usuaris MailToProject=Pàgina de projectes +MailToTicket=Tiquets ByDefaultInList=Mostra per defecte en la vista del llistat YouUseLastStableVersion=Estàs utilitzant l'última versió estable TitleExampleForMajorRelease=Exemple de missatge que es pot utilitzar per anunciar aquesta actualització de versió (ets lliure d'utilitzar-ho a les teves webs) @@ -1939,7 +1943,7 @@ WithoutDolTrackingID=No s'ha trobat la referència de Dolibarr a l'ID del missat FormatZip=Codi postal MainMenuCode=Codi d'entrada del menú (menu principal) ECMAutoTree=Mostra l'arbre ECM automàtic -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=Definiu els valors a emprar per l'objecte de l'acció, o com extreure valors. Per exemple:
objproperty1=SET:el valor a assignar
objproperty2=SET:un valor am un valor amb substitució de __objproperty1__
objproperty3=SETIFEMPTY:valor usat si objproperty3 no ha estat definit
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:EL nom de la meva empresa és\\s([^\\s]*)

Empreu un punt i coma (;) com a separadorper a extreure o definir vàries propietats alhora. OpeningHours=Horari d'obertura OpeningHoursDesc=Introduïu aquí l'horari habitual d'obertura de la vostra empresa. ResourceSetup=Configuració del mòdul de recursos @@ -1996,7 +2000,8 @@ EmailTemplate=Plantilla per correu electrònic EMailsWillHaveMessageID=Els correus electrònics tindran una etiqueta "Referències" que coincideix amb aquesta sintaxi PDF_USE_ALSO_LANGUAGE_CODE=Si voleu tenir alguns textos del vostre PDF duplicats en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma a fi que el PDF generat contingui 2 idiomes diferents a la mateixa pàgina, el triat per generar el PDF i aquest segon ( només algunes plantilles PDF suporten això). Manteniu-lo buit per a 1 idioma per PDF. FafaIconSocialNetworksDesc=Introduïu aquí el codi de la icona de FontAwesome. Si no sabeu què és FontAwesome, podeu utilitzar el llibre genèric d’adreces. +FeatureNotAvailableWithReceptionModule=Funció no disponible quan el mòdul Recepció està habilitat RssNote=Nota: Cada definició de canal RSS proporciona un giny que heu d'habilitar per tenir-lo disponible al tauler de control JumpToBoxes=Vés a Configuració -> Ginys -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. +MeasuringUnitTypeDesc=Utilitzeu aquí un valor com "size", "surface", "volume", "weight", "time" +MeasuringScaleDesc=La escala és el nombre de llocs que heu de moure la part decimal per coincidir amb la unitat de referència predeterminada. Per al tipus d'unitat "temps", és el nombre de segons. Valors entre 80 i 99 són valors reservats. diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang index 328df5b1ce8..02f6024b112 100644 --- a/htdocs/langs/ca_ES/agenda.lang +++ b/htdocs/langs/ca_ES/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervenció %s enviada per e-mail ProposalDeleted=Pressupost esborrat OrderDeleted=Comanda esborrada InvoiceDeleted=Factura esborrada +DraftInvoiceDeleted=S'ha suprimit l'esborrany de factura PRODUCT_CREATEInDolibarr=Producte %s creat PRODUCT_MODIFYInDolibarr=Producte %s modificat PRODUCT_DELETEInDolibarr=Producte %s eliminat HOLIDAY_CREATEInDolibarr=S'ha creat la sol·licitud de permís %s HOLIDAY_MODIFYInDolibarr=S'ha modificat la sol·licitud de permís %s HOLIDAY_APPROVEInDolibarr=Sol·licitud de dies lliures %s aprovada -HOLIDAY_VALIDATEDInDolibarr=La sol·licitud d’excedència %s validada +HOLIDAY_VALIDATEInDolibarr=La sol·licitud d’excedència %s validada HOLIDAY_DELETEInDolibarr=S'ha suprimit la sol·licitud de permís %s EXPENSE_REPORT_CREATEInDolibarr=Creat l'informe de despeses %s EXPENSE_REPORT_VALIDATEInDolibarr=S'ha validat l'informe de despeses %s @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=Llista de materials desactivada BOM_REOPENInDolibarr=Llista de materials reoberta BOM_DELETEInDolibarr=Llista de materials eliminada MRP_MO_VALIDATEInDolibarr=OF validada +MRP_MO_UNVALIDATEInDolibarr=S'ha definit l'estatus esborrany per a l'Ordre de Fabricació (MO) MRP_MO_PRODUCEDInDolibarr=OF fabricada MRP_MO_DELETEInDolibarr=OF eliminada +MRP_MO_CANCELInDolibarr=S'ha cancel·lat l'Ordre de Fabricació (MO) ##### End agenda events ##### AgendaModelModule=Plantilles de documents per esdeveniments DateActionStart=Data d'inici @@ -151,3 +154,6 @@ EveryMonth=Cada mes DayOfMonth=Dia del mes DayOfWeek=Dia de la setmana DateStartPlusOne=Data d'inici + 1 hora +SetAllEventsToTodo=Definir tots els events com a pendents +SetAllEventsToInProgress=Definir tots els events en progrés +SetAllEventsToFinished=Definir tots els events com a enllestits diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index 2f6f38aa401..c4b14aaed4e 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -37,6 +37,8 @@ IbanValid=BAN vàlid IbanNotValid=BAN no vàlid StandingOrders=Domiciliacions StandingOrder=Domiciliació +PaymentByBankTransfers=Pagaments per transferència de crèdit +PaymentByBankTransfer=Pagaments per transferència de crèdit AccountStatement=Extracte AccountStatementShort=Extracte AccountStatements=Extractes diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index ad19836153c..9d45f096bd4 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -66,9 +66,9 @@ paymentInInvoiceCurrency=en divisa de factures PaidBack=Reemborsat DeletePayment=Elimina el pagament ConfirmDeletePayment=Esteu segur de voler eliminar aquest pagament? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? +ConfirmConvertToReduc=Voleu convertir aquesta %s en crèdit disponible? ConfirmConvertToReduc2=L’import s’emmagatzemarà entre tots els descomptes i es podrà utilitzar com a descompte per a una factura actual o futura per a aquest client. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? +ConfirmConvertToReducSupplier=Voleu convertir aquesta %s en un crèdit disponible? ConfirmConvertToReducSupplier2=L’import s’ha desat entre tots els descomptes i es podrà utilitzar com a descompte per a una factura actual o futura per a aquest proveïdor. SupplierPayments=Pagaments a proveïdors ReceivedPayments=Pagaments rebuts @@ -212,10 +212,10 @@ AmountOfBillsByMonthHT=Import de les factures per mes (Sense IVA) UseSituationInvoices=Permetre la factura de la situació UseSituationInvoicesCreditNote=Permet la nota de crèdit de la factura de situació Retainedwarranty=Garantia retinguda -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices +AllowedInvoiceForRetainedWarranty=Garantia retinguda que es pot utilitzar en els tipus següents de factures RetainedwarrantyDefaultPercent=Percentatge de garantia retingut per defecte -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation +RetainedwarrantyOnlyForSituation=Fer disponible la "garantia retinguda" només per a les factures de situació +RetainedwarrantyOnlyForSituationFinal=A les factures de situació, la deducció global de "garantia retinguda" només s'aplica a la situació final ToPayOn=Per pagar %s toPayOn=a pagar %s RetainedWarranty=Garantia retinguda @@ -241,8 +241,6 @@ EscompteOffered=Descompte (pagament aviat) EscompteOfferedShort=Descompte SendBillRef=Enviament de la factura %s SendReminderBillRef=Recordatori de la factura %s -StandingOrders=Domiciliacions -StandingOrder=Domiciliació NoDraftBills=Cap factura esborrany NoOtherDraftBills=Cap altra factura esborrany NoDraftInvoices=Sense factures esborrany @@ -385,7 +383,7 @@ GeneratedFromTemplate=Generat a partir de la plantilla factura %s WarningInvoiceDateInFuture=Alerta, la data de factura és major que la data actual WarningInvoiceDateTooFarInFuture=Alerta, la data de factura és molt antiga respecte la data actual ViewAvailableGlobalDiscounts=Veure descomptes disponibles -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Agrupar pagaments per mode als informes # PaymentConditions Statut=Estat PaymentConditionShortRECEP=A la recepció @@ -571,4 +569,7 @@ AutoFillDateTo=Estableix la data de finalització de la línia de serveis amb la AutoFillDateToShort=Estableix la data de finalització MaxNumberOfGenerationReached=Nombre màxim de gen. arribat BILL_DELETEInDolibarr=Factura esborrada -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +BILL_SUPPLIER_DELETEInDolibarr=S'ha suprimit la factura de proveïdor +UnitPriceXQtyLessDiscount=Descompte - Preu unitari x Quantitat +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ca_ES/blockedlog.lang b/htdocs/langs/ca_ES/blockedlog.lang index 2d1baa823d7..5c380fdb581 100644 --- a/htdocs/langs/ca_ES/blockedlog.lang +++ b/htdocs/langs/ca_ES/blockedlog.lang @@ -8,7 +8,7 @@ BrowseBlockedLog=Registres inalterables ShowAllFingerPrintsMightBeTooLong=Mostra tots els registres arxivats (pot ser llarg) ShowAllFingerPrintsErrorsMightBeTooLong=Mostra tots els registres d'arxiu no vàlids (pot ser llarg) DownloadBlockChain=Baixa les empremtes dactilars -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists). +KoCheckFingerprintValidity=L’entrada de registre arxivada no és vàlida. Significa que algú (un pirata informàtic?) ha modificat algunes dades d’aquest registre després que es va gravar, o que ha estat esborrat el registre arxivat anterior (comproveu que la línia amb numeració anterior existeix). OkCheckFingerprintValidity=El registre del registre arxivat és vàlid. Les dades d'aquesta línia no s'han modificat i l'entrada segueix l'anterior. OkCheckFingerprintValidityButChainIsKo=El registre arxivat sembla ser vàlid en comparació amb l'anterior, però la cadena s'ha corromput prèviament. AddedByAuthority=Emmagatzemat a l'autoritat remota diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 2f377c3a0b5..e9f06e9626b 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -27,8 +27,8 @@ BoxTitleLastSuppliers=Últims %s proveïdors registrats BoxTitleLastModifiedSuppliers=Proveïdors: últims %s modificats BoxTitleLastModifiedCustomers=Clients: últims %s modificats BoxTitleLastCustomersOrProspects=Últims %s clients o clients potencials -BoxTitleLastCustomerBills=Últimes %s factures del client -BoxTitleLastSupplierBills=Últimes %s factures de proveïdor +BoxTitleLastCustomerBills=Darreres %s factures a client modificades +BoxTitleLastSupplierBills=Darreres %s factures de proveïdor modificades BoxTitleLastModifiedProspects=Clients Potencials: últims %s modificats BoxTitleLastModifiedMembers=Últims %s socis BoxTitleLastFicheInter=Últimes %s intervencions modificades diff --git a/htdocs/langs/ca_ES/cashdesk.lang b/htdocs/langs/ca_ES/cashdesk.lang index f6dfbd865dc..df4ca32b101 100644 --- a/htdocs/langs/ca_ES/cashdesk.lang +++ b/htdocs/langs/ca_ES/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Afegeix aquest article RestartSelling=Reprendre la venda SellFinished=Venda acabada PrintTicket=Imprimir -SendTicket=Send ticket +SendTicket=Envia el tiquet NoProductFound=Cap article trobat ProductFound=Producte trobat NoArticle=Cap article @@ -49,7 +49,7 @@ Footer=Peu de pàgina AmountAtEndOfPeriod=Import al final del període (dia, mes o any) TheoricalAmount=Import teòric RealAmount=Import real -CashFence=Cash fence +CashFence=Recompte d'efectiu CashFenceDone=Tancament de caixa realitzat pel període NbOfInvoices=Nº de factures Paymentnumpad=Tipus de pad per introduir el pagament @@ -60,9 +60,9 @@ TakeposNeedsCategories=TakePOS necessita que les categories de productes funcion OrderNotes=Notes de comanda CashDeskBankAccountFor=Compte predeterminat a utilitzar per als pagaments NoPaimementModesDefined=No hi ha cap mode de pagament definit a la configuració de TakePOS -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Agrupar IVA per tipus als tickets/rebuts +AutoPrintTickets=Imprimir automàticament tickets/rebuts +PrintCustomerOnReceipts=Imprimir el client als tickets/rebuts EnableBarOrRestaurantFeatures=Habiliteu funcions per a bar o restaurant ConfirmDeletionOfThisPOSSale=Confirmeu la supressió de la venda actual? ConfirmDiscardOfThisPOSSale=Voleu descartar aquesta venda actual? @@ -90,19 +90,23 @@ HeadBar=Barra de capçalera SortProductField=Camp per ordenar productes Browser=Navegador BrowserMethodDescription=Impressió de rebuts senzilla i senzilla. Només uns quants paràmetres per configurar el rebut. Imprimeix a través del navegador. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. +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. ByTerminal=Per terminal -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines +TakeposNumpadUsePaymentIcon=Utilitzar la icona de pagament al teclat numèric +CashDeskRefNumberingModules=Mòdul de numeració per a vendes del Punt de Venda (POS) +CashDeskGenericMaskCodes6 =
l'etiqueta {TN} s'utilitza per afegir el numero de terminal +TakeposGroupSameProduct=Agrupa les mateixes línies de productes StartAParallelSale=Inicia una nova venda paral·lela -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence +ControlCashOpening=Control de caixa en obrir el Punt de Venda (POS) +CloseCashFence=Tanca el recompte d'efectiu CashReport=Informe d'efectiu -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +MainPrinterToUse=Impressora principal a utilitzar +OrderPrinterToUse=Impressora de comandes a utilitzar +MainTemplateToUse=Plantilla principal a utilitzar +OrderTemplateToUse=Plantilla de comanda a utilitzar +BarRestaurant=Bar Restaurant +AutoOrder=Generació automàtica de comandes de client +RestaurantMenu=Menú +CustomerMenu=Menú de clients diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang index 4af55651670..4156e6c3977 100644 --- a/htdocs/langs/ca_ES/categories.lang +++ b/htdocs/langs/ca_ES/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Etiquetes de comptes ProjectsCategoriesShort=Etiquetes de projectes UsersCategoriesShort=Etiquetes d'usuaris StockCategoriesShort=Etiquetes / categories de magatzem -ThisCategoryHasNoProduct=Aquesta categoria no conté cap producte. -ThisCategoryHasNoSupplier=Aquesta categoria no conté cap proveïdor. -ThisCategoryHasNoCustomer=Aquesta categoria no conté cap client. -ThisCategoryHasNoMember=Aquesta categoria no té cap soci. -ThisCategoryHasNoContact=Aquesta categoria no conté contactes -ThisCategoryHasNoAccount=Aquesta categoria no conté cap compte. -ThisCategoryHasNoProject=Aquesta categoria no conté cap projecte. +ThisCategoryHasNoItems=Aquesta categoria no conté cap element. CategId=ID d'etiqueta CatSupList=Llistat d'etiquetes de proveïdors CatCusList=Llistat d'etiquetes de clients/clients potencials @@ -92,4 +86,5 @@ ByDefaultInList=Per defecte en el llistat ChooseCategory=Tria la categoria StocksCategoriesArea=Zona de categories de magatzems ActionCommCategoriesArea=Àrea d'etiquetes d'esdeveniments +WebsitePagesCategoriesArea=Àrea de categories de Pàgines/Contenidors UseOrOperatorForCategories=Us o operador per categories diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index 223d1aa37e4..d4ddc530767 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Àrea de pressupostos IdThirdParty=ID tercer IdCompany=Id empresa IdContact=Id contacte -Contacts=Contactes ThirdPartyContacts=Àrea de tercers i contactes ThirdPartyContact=Àrea d'adreces de tercers i contactes Company=Empresa @@ -79,7 +78,7 @@ Town=Població Web=Web Poste= Càrrec DefaultLang=Idioma per defecte -VATIsUsed=IVA està utilitzant-se +VATIsUsed=Subjecte a IVA VATIsUsedWhenSelling=Això defineix si aquest tercer inclou un impost de venda o no quan fa una factura als seus propis clients VATIsNotUsed=IVA no està utilitzant-se CopyAddressFromSoc=Omple l'adreça amb l'adreça del tercer @@ -298,7 +297,8 @@ AddContact=Crear contacte AddContactAddress=Crear contacte/adreça EditContact=Editar contacte EditContactAddress=Editar contacte/adreça -Contact=Contacte +Contact=Contacte/Adreça +Contacts=Contactes ContactId=Id contacte ContactsAddresses=Contactes/Adreces FromContactName=Nom: @@ -325,7 +325,8 @@ CompanyDeleted=L'empresa "%s" ha estat eliminada ListOfContacts=Llistat de contactes ListOfContactsAddresses=Llistat de contactes ListOfThirdParties=Llista de tercers -ShowContact=Mostrar contacte +ShowCompany=Tercer +ShowContact=Contacte-Adreça ContactsAllShort=Tots (sense filtre) ContactType=Tipus de contacte ContactForOrders=Contacte de comandes @@ -424,7 +425,7 @@ 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 +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total de Tercers InActivity=Actiu ActivityCeased=Tancat @@ -435,7 +436,7 @@ OutstandingBill=Max. de factures pendents OutstandingBillReached=S'ha arribat al màx. de factures pendents OrderMinAmount=Import mínim per comanda MonkeyNumRefModelDesc=Retorna número amb format %syymm-nnnn per a codi de client i %syymm-nnnn per a codi de proveïdor on yy és any, mm és mes i nnnn és una seqüència sense trencament i sense tornar a 0. -LeopardNumRefModelDesc=Codi de client/proveïdor lliure sense verificació. Pot ser modificat en qualsevol moment. +LeopardNumRefModelDesc=El codi és lliure. Aquest codi es pot modificar en qualsevol moment. ManagingDirectors=Nom del gerent(s) (CEO, director, president ...) MergeOriginThirdparty=Duplicar tercer (tercer que vols eliminar) MergeThirdparties=Fusionar tercers @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Nom de l'agent comercial SaleRepresentativeLastname=Cognoms de l'agent comercial ErrorThirdpartiesMerge=S'ha produït un error en suprimir els tercers. Verifiqueu el registre. S'han revertit els canvis. NewCustomerSupplierCodeProposed=El codi de client o proveïdor ja utilitzat, es suggereix un codi nou -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Manteniu aquest camp buit si aquesta adreça és una adreça genèrica #Imports PaymentTypeCustomer=Tipus de pagament - Client PaymentTermsCustomer=Condicions de pagament - Client diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index 6cb0f6b1b98..4b0f9440d26 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Veure %sl'anàlisi de pagaments %s per a un càlcul d SeeReportInDueDebtMode=Veure l'informe %sanàlisi de factures%s per a un càlcul basat en factures registrades conegudes encara que encara no s'hagin comptabilitzat en el Llibre Major. SeeReportInBookkeepingMode=Veure %sl'informe%s per a un càlcul a Taula de Llibre Major RulesAmountWithTaxIncluded=- Els imports mostrats són amb tots els impostos inclosos. -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Inclou factures pendents, despeses, IVA, donacions tant si han estat pagades com si no. També inclou salaris pagats.
- Es basa en la data de facturació de les factures i en la data de venciment per despeses o pagaments d’impostos. Per als salaris definits amb el mòdul Salari, s’utilitza la data de valor del pagament. RulesResultInOut=- Inclou els pagaments reals realitzats en les factures, les despeses, l'IVA i els salaris.
- Es basa en les dates de pagament de les factures, les despeses, l'IVA i els salaris. La data de la donació per a la donació. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Inclou les factures degudes al client tant si són pagades com si no.
- Es basa en la data de facturació d'aquestes factures.
RulesCAIn=- Inclou tots els pagaments efectius de factures rebuts dels clients.
- Es basa en la data de pagament d'aquestes factures
RulesCATotalSaleJournal=Inclou totes les línies de crèdit del Diari de venda. RulesAmountOnInOutBookkeepingRecord=Inclou un registre al vostre Llibre Major amb comptes comptables que tenen el grup "DESPESA" o "INGRÉS" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Facturació facturada pel tipus d'impost sobre la venda TurnoverCollectedbyVatrate=Facturació recaptada pel tipus d'impost sobre la venda PurchasebyVatrate=Compra per l'impost sobre vendes LabelToShow=Etiqueta curta -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Volum de compres +PurchaseTurnoverCollected=Volum de compres recollit +RulesPurchaseTurnoverDue=- Inclou les factures degudes al proveïdor tant si són pagaes com si no.
- Es basa en la data de factura d'aquestes factures.
+RulesPurchaseTurnoverIn=- Inclou tots els pagaments realitzats de les factures de proveïdors.
- Es basa en la data de pagament d’aquestes factures
+RulesPurchaseTurnoverTotalPurchaseJournal=Inclou totes les línies de dèbit del diari de compra. +ReportPurchaseTurnover=Volum de compres facturat +ReportPurchaseTurnoverCollected=Volum de compres recollit +IncludeVarpaysInResults = Incloure varis pagaments als informes +IncludeLoansInResults = Inclou préstecs en informes diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index fc5e083a365..cb18ccc81e4 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=Arxiu no rebut íntegrament pel servidor. ErrorNoTmpDir=Directori temporal de recepció %s inexistent ErrorUploadBlockedByAddon=Pujada bloquejada per un plugin PHP/Apache. ErrorFileSizeTooLarge=La mida del fitxer és massa gran. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=El camp %s és massa llarg. ErrorSizeTooLongForIntType=Longitud del camp massa llarg per al tipus int (màxim %s xifres) ErrorSizeTooLongForVarcharType=Longitud del camp massa llarg per al tipus cadena (màxim %s xifres) ErrorNoValueForSelectType=Els valors de la llista han de ser indicats @@ -118,8 +118,8 @@ ErrorLoginDoesNotExists=El compte d'usuari de %s no s'ha trobat. ErrorLoginHasNoEmail=Aquest usuari no té e-mail. Impossible continuar. ErrorBadValueForCode=Valor incorrecte per codi de seguretat. Torna a intentar-ho amb un nou valor... ErrorBothFieldCantBeNegative=Els camps %s i %s no poden ser negatius -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. +ErrorFieldCantBeNegativeOnInvoice=El camp %s no pot ser negatiu en aquest tipus de factura. Si voleu afegir una línia de descompte, només cal que creeu el descompte en primer lloc (amb el camp "%s" de la fitxa del tercer) i després apliqueu-lo a la factura. +ErrorLinesCantBeNegativeForOneVATRate=El total de línies no pot ser negatiu per a un tipus d’IVA determinat. ErrorLinesCantBeNegativeOnDeposits=Les línies no poden ser negatives en un dipòsit. Si ho feu, podreu tenir problemes quan necessiteu consumir el dipòsit a la factura final ErrorQtyForCustomerInvoiceCantBeNegative=La quantitat a les línies de factures a client no poden ser negatives ErrorWebServerUserHasNotPermission=El compte d'execució del servidor web %s no disposa dels permisos per això @@ -234,9 +234,9 @@ ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, l’idioma és obli ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, l’idioma de la pàgina traduïda és el mateix que aquest. ErrorBatchNoFoundForProductInWarehouse=No s'ha trobat lot / sèrie per al producte "%s" al magatzem "%s". ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No hi ha quantitat suficient per a aquest lot / sèrie per al producte "%s" al magatzem "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorOnlyOneFieldForGroupByIsPossible=Només és possible un camp per a "GROUP BY" -agrupar per- (els altres són descartats) +ErrorTooManyDifferentValueForSelectedGroupBy=S'han trobat massa valors diferents (més que %s ) per al camp " %s ", de manera que no es pot utilitzar com a 'GROUP BY' per gràfics. El camp 'GROUP BY' s'ha suprimit. Pot ser que vulgueu utilitzar-ho com a eix X? +ErrorReplaceStringEmpty=Error, la cadena a on fer la substitució és buida # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El paràmetre PHP upload_max_filesize (%s) és superior al paràmetre PHP post_max_size (%s). No es tracta d’una configuració consistent. WarningPasswordSetWithNoAccount=S'ha indicat una contrasenya per aquest soci. En canvi, no s'ha creat cap compte d'usuari, de manera que aquesta contrasenya s'ha desat però no pot ser utilitzada per entrar a Dolibarr. Es pot utilitzar per un mòdul/interfície extern, però si no cal definir cap usuari i contrasenya per un soci, pots deshabilitar la opció "Gestiona l'entrada per tots els socis" des de la configuració del mòdul Socis. Si necessites gestionar una entrada sense contrasenya, pots mantenir aquest camp buit i permetre aquest avís. Nota: El correu electrònic es pot utilitzar per entrar si el soci està enllaçat a un usuarí @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Advertència: el nombre de dest WarningDateOfLineMustBeInExpenseReportRange=Advertència, la data de la línia no està dins del rang de l'informe de despeses WarningProjectClosed=El projecte està tancat. Heu de tornar a obrir primer. WarningSomeBankTransactionByChequeWereRemovedAfter=Algunes transaccions bancàries es van suprimir després que es generés el rebut que les conté. Per tant, el nombre de xecs i el total de rebuts poden diferir del nombre i el total a la llista. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ca_ES/exports.lang b/htdocs/langs/ca_ES/exports.lang index 89698f32a10..36d1fc98567 100644 --- a/htdocs/langs/ca_ES/exports.lang +++ b/htdocs/langs/ca_ES/exports.lang @@ -26,6 +26,8 @@ FieldTitle=Títol camp NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format del fitxer al quadre combinat i feu clic a "Generar" per generar el fitxer d'exportació ... AvailableFormats=Formats disponibles LibraryShort=Llibreria +ExportCsvSeparator=Caràcter separador del CSV +ImportCsvSeparator=Caràcter separador del CSV Step=Pas FormatedImport=Assistent d'importació FormatedImportDesc1=Aquest mòdul us permet actualitzar les dades existents o afegir nous objectes a la base de dades d'un fitxer sense coneixements tècnics, utilitzant un assistent. diff --git a/htdocs/langs/ca_ES/hrm.lang b/htdocs/langs/ca_ES/hrm.lang index 7cea24dc147..94f979c4114 100644 --- a/htdocs/langs/ca_ES/hrm.lang +++ b/htdocs/langs/ca_ES/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Tanca l'establiment # Dictionary DictionaryPublicHolidays=HRM - Festius DictionaryDepartment=HRM - Llistat de departament -DictionaryFunction=HRM - Llistat de funcions +DictionaryFunction=HRM - Job positions # Module Employees=Empleats Employee=Empleat diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 8a74e406fb7..e42c3dfa8ac 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Aquest PHP suporta Curl. PHPSupportCalendar=Aquest PHP admet extensions de calendaris. PHPSupportUTF8=Aquest PHP és compatible amb les funcions UTF8. PHPSupportIntl=Aquest PHP admet funcions Intl. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Aquest PHP admet funcions de depuració extres. PHPSupport=Aquest PHP admet les funcions %s. PHPMemoryOK=La seva memòria màxima de sessió PHP està definida a %s. Això hauria de ser suficient. PHPMemoryTooLow=La seva memòria màxima de sessió PHP està definida a %s bytes. Això és molt poc. Es recomana modificar el paràmetre memory_limit del seu arxiu php.ini a almenys %s octets. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=La teva instal·lació PHP no soporta Curl. ErrorPHPDoesNotSupportCalendar=La vostra instal·lació de PHP no admet extensions de calendari php. ErrorPHPDoesNotSupportUTF8=Aquest PHP no suporta les funcions UTF8. Resolgui el problema abans d'instal lar Dolibarr ja que no funcionarà correctamete. ErrorPHPDoesNotSupportIntl=La vostra instal·lació de PHP no admet funcions Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=La vostra instal·lació de PHP no admet funcions de depuració extres. ErrorPHPDoesNotSupport=La teva instal·lació PHP no admet funcions %s. ErrorDirDoesNotExists=La carpeta %s no existeix o no és accessible. ErrorGoBackAndCorrectParameters=Torneu enrere i verifiqueu / corregiu els paràmetres. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=S'han reportat error(s) durant el procés de migració YouTryInstallDisabledByDirLock=L'aplicació ha intentat actualitzar-se automàticament, però les pàgines d'instal·lació / actualització s'han desactivat per a la seguretat (el directori rep el nom amb el sufix .lock).
YouTryInstallDisabledByFileLock=L'aplicació s'ha intentat actualitzar automàticament, però les pàgines d'instal·lació / actualització s'han desactivat per a la seguretat (per l'existència d'un fitxer de bloqueig install.lock al directori de documents del dolibarr).
ClickHereToGoToApp=Fes clic aquí per anar a la teva aplicació -ClickOnLinkOrRemoveManualy=Feu clic al següent enllaç. Si sempre veieu aquesta mateixa pàgina, heu d'eliminar / canviar el nom del fitxer install.lock al directori de documents. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +Loaded=Carregat +FunctionTest=Prova de funció diff --git a/htdocs/langs/ca_ES/interventions.lang b/htdocs/langs/ca_ES/interventions.lang index 05c1820ddb2..fb490a2f6a8 100644 --- a/htdocs/langs/ca_ES/interventions.lang +++ b/htdocs/langs/ca_ES/interventions.lang @@ -41,9 +41,7 @@ InterventionsArea=Àrea d'intervencions DraftFichinter=Intervencions esborrany LastModifiedInterventions=Últimes %s intervencions modificades FichinterToProcess=Intervencions a processar -##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Contacte client seguiment intervenció -# Modele numérotation PrintProductsOnFichinter=Imprimeix també les línies de tipus "producte" (no només serveis) en les fitxes d'intervencions. PrintProductsOnFichinterDetails=Intervencions generades des de comandes UseServicesDurationOnFichinter=Utilitza la durada dels serveis en les intervencions generades des de comandes @@ -53,7 +51,6 @@ InterventionStatistics=Estadístiques de intervencions NbOfinterventions=Nº de fitxes d'intervenció NumberOfInterventionsByMonth=Nº de fitxes d'intervenció per mes (data de validació) AmountOfInteventionNotIncludedByDefault=La quantitat d'intervenció no s'inclou de manera predeterminada en els beneficis (en la majoria dels casos, els fulls de temps s'utilitzen per comptar el temps dedicat). Per incloure'ls, afegiu la opció PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT amb el valor 1 a Configuració → Varis. -##### Exports ##### InterId=Id. d'intervenció InterRef=Ref. d'intervenció InterDateCreation=Data de creació de la intervenció @@ -65,3 +62,5 @@ InterLineId=Id. de la línia de la intervenció InterLineDate=Data de la línia de intervenció InterLineDuration=Durada de la línia de la intervenció InterLineDesc=Descripció de la línia de la intervenció +RepeatableIntervention=Plantilla d’intervenció +ToCreateAPredefinedIntervention=Per crear una intervenció predefinida o recurrent, creeu una intervenció comuna i convertiu-la en plantilla d'intervenció diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index 33c56156b38..ad93c59173d 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -164,7 +164,7 @@ NoContactWithCategoryFound=No s'han trobat contactes/adreces amb categoria NoContactLinkedToThirdpartieWithCategoryFound=No s'han trobat contactes/adreces amb categoria OutGoingEmailSetup=Configuració de correus electrònics sortints InGoingEmailSetup=Configuració de correus electrònics entrants -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Configuració del correu sortint (per al mòdul %s) DefaultOutgoingEmailSetup=Configuració per defecte del correu electrònic sortint Information=Informació ContactsWithThirdpartyFilter=Contactes amb filtre de tercers diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index c28f8eb03eb..5c19ab8fa0e 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No hi ha cap plantilla disponible per a aquest tipus de correu AvailableVariables=Variables de substitució disponibles NoTranslation=Sense traducció Translation=Traducció -EmptySearchString=Introduïu una cadena de cerca no buida +EmptySearchString=Enter non empty search criterias NoRecordFound=No s'han trobat registres NoRecordDeleted=Sense registres eliminats NotEnoughDataYet=Dades insuficients @@ -174,7 +174,7 @@ SaveAndStay=Desa i continua SaveAndNew=Guardar i nou TestConnection=Provar la connexió ToClone=Copiar -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Esteu segur que voleu clonar l'objecte %s ? ConfirmClone=Trieu les dades que voleu clonar: NoCloneOptionsSpecified=no hi ha dades definits per copiar Of=de @@ -187,6 +187,8 @@ ShowCardHere=Veure la fitxa aquí Search=Cerca SearchOf=Cerca SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Afegir ràpidament +QuickAddMenuShortCut=Ctrl + shift + l Valid=Validar Approve=Aprovar Disapprove=Desaprovar @@ -426,6 +428,7 @@ Modules=Mòduls/Aplicacions Option=Opció List=Llistat FullList=Llista completa +FullConversation=Conversa completa Statistics=Estadístiques OtherStatistics=Altres estadístiques Status=Estat @@ -663,6 +666,7 @@ Owner=Propietari FollowingConstantsWillBeSubstituted=Les següents constants seran substituïdes pel seu valor corresponent. Refresh=Refrescar BackToList=Tornar al llistat +BackToTree=Back to tree GoBack=Tornar enrera CanBeModifiedIfOk=Pot modificar-se si és vàlid CanBeModifiedIfKo=Pot modificar-se si no és vàlid @@ -694,7 +698,7 @@ Color=Color Documents=Documents Documents2=Documents UploadDisabled=Pujada desactivada -MenuAccountancy=Comptabilitat experta +MenuAccountancy=Comptabilitat bàsica MenuECM=Documents MenuAWStats=AWStats MenuMembers=Socis @@ -839,6 +843,7 @@ Sincerely=Sincerament ConfirmDeleteObject=Esteu segur que voleu suprimir aquest objecte? DeleteLine=Elimina la línia ConfirmDeleteLine=Esteu segur de voler eliminar aquesta línia ? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No hi havia PDF disponibles per a la generació de document entre els registre comprovats TooManyRecordForMassAction=S'ha seleccionat massa registres per a l'acció massiva. L'acció està restringida a una llista de %s registres. NoRecordSelected=No s'han seleccionat registres @@ -953,6 +958,7 @@ SearchIntoMembers=Socis SearchIntoUsers=Usuaris SearchIntoProductsOrServices=Productes o serveis SearchIntoProjects=Projectes +SearchIntoMO=Comandes de Fabricació SearchIntoTasks=Tasques SearchIntoCustomerInvoices=Factures a clients SearchIntoSupplierInvoices=Factures del proveïdor @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Seleccioneu les opcions gràfiques per crear un grà Measures=Mesures XAxis=Eix X YAxis=Eix Y -StatusOfRefMustBe=Status of %s must be %s +StatusOfRefMustBe=L'estat de %s ha de ser %s DeleteFileHeader=Confirma l'eliminació del fitxer DeleteFileText=Realment vols suprimir aquest fitxer? +ShowOtherLanguages=Mostrar altres idiomes +SwitchInEditModeToAddTranslation=Canviar a mode d'edició per afegir traduccions per a aquest idioma +NotUsedForThisCustomer=No s'utilitza per a aquest client +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index ad2dd76cea9..0877d3aed5c 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Zona perillosa BuildPackage=Construeix el paquet BuildPackageDesc=Podeu generar un paquet zip de la vostra aplicació de manera que estigueu a punt per distribuir-lo a qualsevol Dolibarr. També podeu distribuir-lo o vendre-lo al mercat com DoliStore.com . BuildDocumentation=Construeix documentació -ModuleIsNotActive=Aquest mòdul encara no està activat. Aneu a %s per fer-lo en viu o feu clic aquí: +ModuleIsNotActive=Aquest mòdul encara no està activat. Aneu a %s per activar-ho o feu clic aquí ModuleIsLive=Aquest mòdul ha estat activat. Qualsevol canvi pot trencar la funció actual en viu. DescriptionLong=Descripció llarga EditorName=Nom de l'editor @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Llista d'entrades de diccionaris ListOfPermissionsDefined=Llista de permisos definits SeeExamples=Mira exemples aquí EnabledDesc=Condició per tenir activat aquest camp (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION) -VisibleDesc=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) +VisibleDesc=És visible el camp ? (Exemples: 0=Mai visible, 1=Visible als llistats i als formularis crear/modificar/veure, 2=Visible només als llistats, 3=Visible només als formularis crear/modificar/veure (no als llistats), 4=Visible als llistats i només als formularis modificar/veure (no al de crear), 5=Visible als llistats i només al formulari de veure (però no als formularis de crear i modificar).

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

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

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

Per a les línies de documents:
0 = no es veuen les
1 = mostra en una columna
= 3 = mostra a la columna de descripció de línia després de la descripció
4 = mostra a la columna de descripció després de la descripció només si no està buida DisplayOnPdf=Visualització en PDF IsAMeasureDesc=Es pot acumular el valor del camp per obtenir un total en la llista? (Exemples: 1 o 0) @@ -139,3 +139,4 @@ ForeignKey=Clau forània TypeOfFieldsHelp=Tipus de camps:
varchar(99), double (24,8), real, text, html, datetime, timestamp, integer, integer:ClassName: relativepath/to/classfile.class.php[:1[:filter]] ('1' significa que afegim un botó + després del desplegable per crear el registre, 'filtre' pot ser 'status=1 AND fk_user=__USER_ID AND entity IN (__SHARED_ENTITIES__)' per exemple) AsciiToHtmlConverter=Convertidor Ascii a HTML AsciiToPdfConverter=Convertidor Ascii a PDF +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang index 0e92fda2b8e..a143763ecb2 100644 --- a/htdocs/langs/ca_ES/mrp.lang +++ b/htdocs/langs/ca_ES/mrp.lang @@ -56,11 +56,12 @@ ToConsume=Consumir ToProduce=Poduïr QtyAlreadyConsumed=Qnt. ja consumida QtyAlreadyProduced=Qnt. ja produïda +QtyRequiredIfNoLoss=Quantitat necessària sense pèrdues (Eficiència de fabricació del 100%%) ConsumeOrProduce=Consumir o Produir ConsumeAndProduceAll=Consumir i produir tot Manufactured=Fabricat TheProductXIsAlreadyTheProductToProduce=El producte a afegir ja és el producte a produir. -ForAQuantityOf1=Per a una quantitat a produir de 1 +ForAQuantityOf=Per produir una quantitat de %s ConfirmValidateMo=Voleu validar aquesta Ordre de Fabricació? ConfirmProductionDesc=Fent clic a '%s' validareu el consum i/o la producció per a les quantitats establertes. També s’actualitzarà l'estoc i es registrarà els moviments d'estoc. ProductionForRef=Producció de %s @@ -73,3 +74,4 @@ ProductsToConsume=Productes a consumir ProductsToProduce=Productes a produir UnitCost=Cost unitari TotalCost=Cost total +BOMTotalCost=El cost de produir aquesta BOM (Llista de materials) en funció del cost de cada quantitat i producte a consumir (utilitza el preu de cost si està definit, altrament el preu mitjà ponderat si està definit, altrament el millor preu de compra) diff --git a/htdocs/langs/ca_ES/multicurrency.lang b/htdocs/langs/ca_ES/multicurrency.lang index a3a5b95fe08..9298dbc1819 100644 --- a/htdocs/langs/ca_ES/multicurrency.lang +++ b/htdocs/langs/ca_ES/multicurrency.lang @@ -18,3 +18,5 @@ MulticurrencyReceived=Rebut, moneda original MulticurrencyRemainderToTake=Import restant, moneda original MulticurrencyPaymentAmount=Import de pagament, moneda original AmountToOthercurrency=Import (en la moneda del compte que rep) +CurrencyRateSyncSucceed=La sincronització de tipus de monedes s'ha fet amb èxit +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Utilitzar la moneda del document per als pagaments en línia diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index b98360624ba..fc3f4c9c3da 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -30,11 +30,11 @@ PreviousYearOfInvoice=Any anterior de la data de la factura NextYearOfInvoice=Any següent de la data de la factura DateNextInvoiceBeforeGen=Data de la propera factura (abans de la generació) DateNextInvoiceAfterGen=Data de la propera factura (després de la generació) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. +GraphInBarsAreLimitedToNMeasures=Els gràfics es limiten a %s mesures en mode "Bars". En el seu lloc, s'ha seleccionat automàticament el mode "Línies". OnlyOneFieldForXAxisIsPossible=Actualment només és possible 1 camp com a Eix X. Només s’ha seleccionat el primer camp seleccionat. AtLeastOneMeasureIsRequired=Almenys 1 camp per a la mesura és obligatori AtLeastOneXAxisIsRequired=Almenys 1 camp per a l'Eix X és obligatori -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Darreres publicacions al bloc Notify_ORDER_VALIDATE=Ordre de venda validat Notify_ORDER_SENTBYMAIL=Ordre de venda enviat per correu Notify_ORDER_SUPPLIER_SENTBYMAIL=Ordre de compra enviat per correu electrònic @@ -85,8 +85,8 @@ MaxSize=Tamany màxim AttachANewFile=Adjuntar nou arxiu/document LinkedObject=Objecte adjuntat NbOfActiveNotifications=Nombre de notificacions (número de correus electrònics del destinatari) -PredefinedMailTest=__(Hello)__\nAquest és un correu electrònic de prova enviat a __EMAIL__.\nLes dues línies estan separades per un salt de línia.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nAquest és un correu electrònic de prova (la paraula prova ha d'estar en negreta).
Les dues línies es separen amb un salt de línia.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hola)__\n\nTrobeu la factura __REF__ adjunta\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__ (Atentament) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hola)__\n\nUs recordem que la factura __REF__ sembla que no s'ha pagat. S'adjunta una còpia de la factura com a recordatori.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__ (Atentament) __\n\n__USER_SIGNATURE__ @@ -274,7 +274,7 @@ WEBSITE_PAGEURL=URL de pàgina WEBSITE_TITLE=Títol WEBSITE_DESCRIPTION=Descripció WEBSITE_IMAGE=Imatge -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Ruta relativa dels suports d’imatge. Podeu mantenir-la buida, ja que rarament es fa servir (pot ser utilitzada per contingut dinàmic per mostrar una miniatura a la llista de publicacions del bloc). Utilitzeu __WEBSITE_KEY__ a la ruta si aquesta depèn del nom del lloc web (per exemple: image/__ WEBSITE_KEY __ /stories/lamevaimatge.png). WEBSITE_KEYWORDS=Paraules clau LinesToImport=Línies per importar diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index c184a1f0292..3e887f35f7c 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 modified products/services LastRecordedProducts=Últims %s productes registrats LastRecordedServices=Últims %s serveis registrats CardProduct0=Producte @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Nota (no visible en les factures, pressupostos, etc.) ServiceLimitedDuration=Si el servei és de durada limitada: MultiPricesAbility=Segments de preus múltiples per producte / servei (cada client està en un segment de preus) MultiPricesNumPrices=Nº de preus +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activa els productes virtuals (kits) AssociatedProducts=Productes virtuals AssociatedProductsNumber=Nº de productes que composen aquest producte diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index aa4fe0eaa00..4faa58dd318 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Dependències de la tasca TaskHasChild=La tasca té subtasques NotOwnerOfProject=No és responsable d'aquest projecte privat AffectedTo=Assignat a -CantRemoveProject=No es pot eliminar aquest projecte perquè està enllaçat amb altres objectes (factures, comandes o altres). Consulta la pestanya Referències. +CantRemoveProject=Aquest projecte no es pot eliminar ja que se'n fa referència a altres objectes (factures, comandes o altres). Vegeu la pestanya "%s". ValidateProject=Validar projecte ConfirmValidateProject=Vols validar aquest projecte? CloseAProject=Tancar projecte @@ -255,7 +255,7 @@ ServiceToUseOnLines=Servei d'ús a les línies InvoiceGeneratedFromTimeSpent=La factura %s s'ha generat a partir del temps dedicat al projecte ProjectBillTimeDescription=Comproveu si heu introduït el full de temps en les tasques del projecte I teniu previst generar factures des del full de temps per facturar al client del projecte (no comproveu si voleu crear la factura que no es basa en els fulls de temps introduïts). Nota: Per generarla factura, aneu a la pestanya "Temps introduït" del projecte i seleccioneu les línies que cal incloure. ProjectFollowOpportunity=Segueix l’oportunitat -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Seguir les tasques o el temps dedicat Usage=Ús UsageOpportunity=Ús: Oportunitat UsageTasks=Ús: Tasques @@ -265,3 +265,4 @@ NewInvoice=Nova factura OneLinePerTask=Una línia per tasca OneLinePerPeriod=Una línia per període RefTaskParent=Ref. Tasca pare +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ca_ES/receiptprinter.lang b/htdocs/langs/ca_ES/receiptprinter.lang index 020308cba2b..81dc054cc62 100644 --- a/htdocs/langs/ca_ES/receiptprinter.lang +++ b/htdocs/langs/ca_ES/receiptprinter.lang @@ -15,12 +15,12 @@ CONNECTOR_DUMMY=Impressora de proves CONNECTOR_NETWORK_PRINT=Impresora en xarxa CONNECTOR_FILE_PRINT=Impressora local CONNECTOR_WINDOWS_PRINT=Impressora local en Windows -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=Impressora CUPS CONNECTOR_DUMMY_HELP=Impresora de proves, no fa res CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=Nom de la impressora CUPS, exemple: HPRT_TP805L PROFILE_DEFAULT=Perfil per defecte PROFILE_SIMPLE=Perfil simpre PROFILE_EPOSTEP=Perfil Epos Tep @@ -63,33 +63,33 @@ DOL_VALUE_MONTH_LETTERS=Mes de factura en lletres DOL_VALUE_MONTH=Mes de factura DOL_VALUE_DAY=Dia de la factura DOL_VALUE_DAY_LETTERS=Dia de factura en lletres -DOL_LINE_FEED_REVERSE=Line feed reverse -DOL_VALUE_OBJECT_ID=Invoice ID +DOL_LINE_FEED_REVERSE=Línia d'alimentació inversa +DOL_VALUE_OBJECT_ID=ID de factura DOL_VALUE_OBJECT_REF=Ref. factura -DOL_PRINT_OBJECT_LINES=Invoice lines +DOL_PRINT_OBJECT_LINES=Línies de factura DOL_VALUE_CUSTOMER_FIRSTNAME=Nom del client DOL_VALUE_CUSTOMER_LASTNAME=Cognom del client DOL_VALUE_CUSTOMER_MAIL=Correu del client -DOL_VALUE_CUSTOMER_PHONE=Customer phone +DOL_VALUE_CUSTOMER_PHONE=Telèfon del client DOL_VALUE_CUSTOMER_MOBILE=Mòbil del client DOL_VALUE_CUSTOMER_SKYPE=Skype del client -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance +DOL_VALUE_CUSTOMER_TAX_NUMBER=CIF/NIF del client +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo del compte del client DOL_VALUE_MYSOC_NAME=El nom de l'empresa DOL_VALUE_MYSOC_ADDRESS=La teva adreça d’empresa DOL_VALUE_MYSOC_ZIP=El teu codi postal DOL_VALUE_MYSOC_TOWN=La teva ciutat DOL_VALUE_MYSOC_COUNTRY=El teu país -DOL_VALUE_MYSOC_IDPROF1=Your IDPROF1 -DOL_VALUE_MYSOC_IDPROF2=Your IDPROF2 -DOL_VALUE_MYSOC_IDPROF3=Your IDPROF3 -DOL_VALUE_MYSOC_IDPROF4=Your IDPROF4 -DOL_VALUE_MYSOC_IDPROF5=Your IDPROF5 -DOL_VALUE_MYSOC_IDPROF6=Your IDPROF6 +DOL_VALUE_MYSOC_IDPROF1=El vostre IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=El vostre IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=El vostre IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=El vostre IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=El vostre IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=El vostre IDPROF6 DOL_VALUE_MYSOC_TVA_INTRA=ID IVA intracomunitari DOL_VALUE_MYSOC_CAPITAL=Capital DOL_VALUE_VENDOR_LASTNAME=Cognom del venedor -DOL_VALUE_VENDOR_FIRSTNAME=Vendor first name -DOL_VALUE_VENDOR_MAIL=Vendor mail -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_VENDOR_FIRSTNAME=Nom del venedor +DOL_VALUE_VENDOR_MAIL=Correu del venedor +DOL_VALUE_CUSTOMER_POINTS=Punts del client +DOL_VALUE_OBJECT_POINTS=Punts de l'objecte diff --git a/htdocs/langs/ca_ES/receptions.lang b/htdocs/langs/ca_ES/receptions.lang index 36c70aa5694..447ce65cffc 100644 --- a/htdocs/langs/ca_ES/receptions.lang +++ b/htdocs/langs/ca_ES/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Quantitat de producte des de coman ValidateOrderFirstBeforeReception=Primer has de validar la comanda abans de poder fer recepcions. ReceptionsNumberingModules=Mòdul de numeració per a recepcions ReceptionsReceiptModel=Plantilles de documents per a recepcions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index 5578a0b58a6..7205befd397 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PMP EnhancedValueOfWarehouses=Valor d'estocs UserWarehouseAutoCreate=Crea un usuari de magatzem automàticament quan es crea un usuari AllowAddLimitStockByWarehouse=Gestioneu també valors mínims d'estoc desitjat per emparellament (producte-magatzem), a més de valors mínims d'estoc desitjat per producte +RuleForWarehouse=Regles per als magatzems +WarehouseAskWarehouseDuringOrder=Estableix un magatzem per a les comandes de venda +UserDefaultWarehouse=Estableix un magatzem per Usuaris +DefaultWarehouseActive=Magatzem actiu predeterminat +MainDefaultWarehouse=Magatzem predeterminat +MainDefaultWarehouseUser=Utilitzar magatzem per usuari assignat per defecte +MainDefaultWarehouseUserDesc=/!\\ Al activar aquesta opció, al crear un article, el magatzem assignat al usuari estarà definit per aquest. Si no es defineix un magatzem a l'usuari, es defineix en el magatzem predeterminat. IndependantSubProductStock=L'estoc de productes i subproductes són independents QtyDispatched=Quantitat desglossada QtyDispatchedShort=Quant. rebuda @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Per la disminució d'estoc s'utilitzara el magatzem %s ForThisWarehouse=Per aquest magatzem ReplenishmentStatusDesc=Es tracta d'una llista de tots els productes amb una borsa menor que l'estoc desitjat (o inferior al valor d'alerta si la casella de verificació "només alerta" està marcada). Amb la casella de verificació, podeu crear comandes de compra per omplir la diferència. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Aquesta és una llista de totes les comandes de compra oberta incloent productes predefinits. Només s'obren ordres amb productes predefinits, de manera que les comandes que poden afectar les existències, són visibles aquí. Replenishments=reaprovisionament NbOfProductBeforePeriod=Quantitat del producte %s en estoc abans del periode seleccionat (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventari d’un magatzem específic InventoryForASpecificProduct=Inventari d’un producte específic StockIsRequiredToChooseWhichLotToUse=Es requereix estoc per escollir el lot que cal fer servir ForceTo=Obligar a +AlwaysShowFullArbo=Mostra l'arbre complet de magatzems a la finestra emergent dels enllaços de magatzem (Advertència: pot disminuir el rendiment de manera espectacular) diff --git a/htdocs/langs/ca_ES/stripe.lang b/htdocs/langs/ca_ES/stripe.lang index 5b2c35e1295..19c57e1fe44 100644 --- a/htdocs/langs/ca_ES/stripe.lang +++ b/htdocs/langs/ca_ES/stripe.lang @@ -32,7 +32,7 @@ VendorName=Nom del venedor CSSUrlForPaymentForm=Url del full d'estil CSS per al formulari de pagament NewStripePaymentReceived=S'ha rebut un nou pagament de Stripe NewStripePaymentFailed=S'ha intentat el pagament de Stripe però, ha fallat -FailedToChargeCard=Failed to charge card +FailedToChargeCard=No s'ha pogut fer el càrrec a la targeta STRIPE_TEST_SECRET_KEY=Clau secreta de test STRIPE_TEST_PUBLISHABLE_KEY=Clau de test publicable STRIPE_TEST_WEBHOOK_KEY=Clau de prova de Webhook @@ -69,4 +69,4 @@ ToOfferALinkForTestWebhook=Enllaç a la configuració de Stripe WebHook per truc ToOfferALinkForLiveWebhook=Enllaç a la configuració de Stripe WebHook per trucar a l’IPN (mode en directe) PaymentWillBeRecordedForNextPeriod=El pagament es registrarà per al període següent. ClickHereToTryAgain=Feu clic aquí per tornar-ho a provar ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=A causa de les fortes regles d'autenticació de clients, la creació d'una targeta s'ha de fer des del panell de Stripe. Podeu fer clic aquí per activar el registre de clients de Stripe: %s diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang index a623ab8a9cd..9b9d2cb3e16 100644 --- a/htdocs/langs/ca_ES/ticket.lang +++ b/htdocs/langs/ca_ES/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Mòdul de numeració de tiquets TicketNotifyTiersAtCreation=Notifica la creació de tercers TicketGroup=Grup TicketsDisableCustomerEmail=Desactiveu sempre els correus electrònics quan es crea un tiquet des de la interfície pública +TicketsPublicNotificationNewMessage=Enviar correu(s) electonic(s) quan s'afegeix un nou missatge +TicketsPublicNotificationNewMessageHelp=Enviar correu(s) electrònic(s) quan un nou missatge s'afegeix des d'una interfície pública (cap a l'usuari assignat o la notificació del correu electrònic cap a (actualitzar) i/o les notificacions del correu electrònic cap a) +TicketPublicNotificationNewMessageDefaultEmail=Notificar correu electrònic cap a (actualitzar) +TicketPublicNotificationNewMessageDefaultEmailHelp=Enviar un correu nou missatge de notificació cap a aquesta adreça si el tiquet no te usuari assignat o l'usuari no te correu electrònic. # # Index & list page # diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index 33457aff18a..06cd3247a05 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -70,7 +70,7 @@ ExportDataset_user_1=Usuaris i les seves propietats DomainUser=Usuari de domini Reactivate=Reactivar CreateInternalUserDesc=Aquest formulari us permet crear un usuari intern a la vostra empresa / organització. Per crear un usuari extern (client, proveïdor, etc.), utilitzeu el botó 'Crear usuari Dolibarr' de la targeta de contacte d'un tercer. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +InternalExternalDesc=Un usuari intern és un usuari que forma part de la vostra empresa/organització.
Un usuari extern és un client, proveïdor o un altre. La creació d’un usuari extern per a un tercer es pot fer des de la fitxa del contacte d’aquest tercer.

En ambdós casos, els permisos defineixen privilegis d'acció a Dolibarr, també un usuari extern pot tenir un gestor de menús diferent de l'usuari intern (vegeu Inici - Configuració - Visualització) PermissionInheritedFromAGroup=El permís es concedeix ja que ho hereta d'un grup al qual pertany l'usuari. Inherited=Heretat UserWillBeInternalUser=L'usuari creat serà un usuari intern (ja que no està lligat a un tercer en particular) @@ -78,6 +78,7 @@ UserWillBeExternalUser=L'usuari creat serà un usuari extern (ja que està lliga IdPhoneCaller=ID trucant (telèfon) NewUserCreated=usuari %s creat NewUserPassword=Contrasenya canviada per a %s +NewPasswordValidated=La vostra nova contrasenya s’ha validat i s’ha d’utilitzar ara per iniciar la sessió. EventUserModified=Usuari %s modificat UserDisabled=Usuari %s deshabilitat UserEnabled=Usuari %s activat diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 1db4f01b26e..882f366e3e7 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Fitxer per robots (robots.txt) WEBSITE_HTACCESS=Fitxer .htaccess del lloc web WEBSITE_MANIFEST_JSON=Arxiu del lloc web manifest.json WEBSITE_README=Fitxer README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Introduïu aquí dades de meta o informació de llicència per enviar un fitxer README.md. si distribuïu el vostre lloc web com a plantilla, el fitxer s’inclourà al paquet temptador. HtmlHeaderPage=Encapçalament HTML (específic sols per aquesta pàgina) PageNameAliasHelp=Nom o àlies de la pàgina.
Aquest àlies també s'utilitza per construir un URL de SEO quan el lloc web es llanci des d'un Host Virtual d'un servidor web (com Apache, Nginx...). Utilitzeu el botó "%s" per editar aquest àlies. @@ -42,8 +43,8 @@ ViewPageInNewTab=Mostra la pàgina en una nova pestanya SetAsHomePage=Indica com a Pàgina principal RealURL=URL real ViewWebsiteInProduction=Mostra la pàgina web utilitzant les URLs d'inici -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost=Utilitzar amb Apache/NGinx/...
Creeu al vostre servidor web (Apache, Nginx, ...) un Virtual Host dedicat amb PHP habilitat i un directori arrel a
%s +ExampleToUseInApacheVirtualHostConfig=Exemple a utilitzar en la configuració de d'un Virtual Host d'Apache: YouCanAlsoTestWithPHPS= Utilitzeu-lo amb el servidor incrustat de PHP
Al desenvolupar l'entorn, és possible que preferiu provar el lloc amb el servidor web incrustat de PHP (requereix PHP 5.5) executant
php -S 0.0. 0.0: 8080 -t %s YouCanAlsoDeployToAnotherWHP=Executeu el vostre lloc web amb un altre proveïdor de hosting de Dolibarr
Si no teniu disponible un servidor web com Apache o NGinx a Internet, podeu exportar i importar el vostre lloc web a una altra instància de Dolibarr proporcionada per un altre proveïdor d'allotjament de Dolibarr que ofereixi una integració completa amb el mòdul del lloc web. Podeu trobar una llista d'alguns proveïdors d'allotjament Dolibarr a https://saas.dolibarr.org CheckVirtualHostPerms=Comproveu també que l'amfitrió virtual té permisos %s en fitxers a %s @@ -57,7 +58,7 @@ NoPageYet=Encara sense pàgines YouCanCreatePageOrImportTemplate=Podeu crear una pàgina nova o importar una plantilla completa del lloc web SyntaxHelp=Ajuda sobre consells de sintaxi específics YouCanEditHtmlSourceckeditor=Podeu editar el codi font HTML usant el botó "Codi font" a l'editor. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Podeu incloure codi PHP en aquesta font mitjançant etiquetes <?php ?>. Les variables globals següents estan disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

També podeu incloure contingut d’una altra plana/contenidor amb la sintaxi següent:
<?php includeContainer('alias_del_contenidor_a_incloure'); ?>

Podeu fer una redirecció a una altra plana/contenidor amb la sintaxi següent (Nota: no treure contingut abans d'una redirecció):
<?php redirectToContainer('alias_del_contenidor_de_desti); ?>

Per afegir un enllaç a una altra pàgina, cal utilitzar la sintaxi:
<a href="alias_de_la_plana_de_desti.php">mylink<a>

Per incloure un enllaç de baixada d'un fitxer emmagatzemat al directori documents , utilitzeu l'embolcallador document.php :
Exemple, per a un fitxer a documents/ecm (necessari haver iniciat sessió), la sintaxis seria:
<a href="/document.php?modulepart=ecm&file=[directori_pare/]nomdefitxer.ext">
Per a un fitxer a documents/medias (directori d'accés públic), la sintaxi seria:
<a href="/document.php?modulepart=medias&file=[directori_pare/]nomdefitxer.ext">
Per a un fitxer compartit amb un enllaç de compartició (accés obert emprant la clau hash de compartició del fitxer), la sintaxi seria:
<a href="/document.php?hashp=claupublicadecomparticiodelfitxer">

Per a incloure una imatge desada al directori documents , empreu l'embolcallador viewimage.php :
Exemple, per a una imatge a documents/medias (directori d'accés públic), la sintaxi seria:
<img src="/viewimage.php?modulepart=medias&file=[directori_pare/]nomdelfitxer.ext">

Trobareu més exemples de codi HTML o codis dinàmics a la documentació wiki
. ClonePage=Clona la pàgina/contenidor CloneSite=Clona el lloc SiteAdded=S'ha afegit el lloc web @@ -77,7 +78,7 @@ BlogPost=Publicació del bloc WebsiteAccount=Compte del lloc web WebsiteAccounts=Comptes de lloc web AddWebsiteAccount=Crear un compte de lloc web -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Tornar al llistat del tercer DisableSiteFirst=Deshabilita primer el lloc web MyContainerTitle=Títol del meu lloc web AnotherContainer=Així s’inclou contingut d’una altra pàgina / contenidor (pot ser que tingueu un error aquí si activeu el codi dinàmic perquè pot no existir el subconjunt incrustat) @@ -85,7 +86,7 @@ SorryWebsiteIsCurrentlyOffLine=Ho sentim, actualment aquest lloc web està fora WEBSITE_USE_WEBSITE_ACCOUNTS=Activa la taula del compte del lloc web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Activeu la taula per emmagatzemar comptes del lloc web (login/contrasenya) per a cada lloc web de tercers YouMustDefineTheHomePage=Primer heu de definir la pàgina d'inici predeterminada -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Avís: la creació d'una pàgina web mitjançant la importació d'una pàgina web externa es reserva per a usuaris experimentats. Segons la complexitat de la pàgina d'origen, el resultat de la importació pot diferir de l'original. També si la pàgina font utilitza estils CSS comuns o Javascript en conflicte, pot trencar l'aspecte o les funcions de l'editor del lloc web quan es treballi en aquesta pàgina. Aquest mètode és una manera més ràpida de crear una pàgina, però es recomana crear la vostra pàgina nova des de zero o des d’una plantilla de pàgina suggerida.
Tingueu en compte també que l'editor en línia pot no funcionar correctament quan s'utilitza en una pàgina creada a partir d'importar una externa. OnlyEditionOfSourceForGrabbedContent=Només l'edició de codi HTML és possible quan el contingut s'ha capturat d'un lloc extern GrabImagesInto=Agafa també imatges trobades dins del css i a la pàgina. ImagesShouldBeSavedInto=Les imatges s'han de desar al directori @@ -120,11 +121,14 @@ ShowSubContainersOnOff=El mode per executar "contingut dinàmic" és % GlobalCSSorJS=Fitxer CSS / JS / Capçalera global del lloc web BackToHomePage=Torna a la pàgina principal... TranslationLinks=Enllaços de traducció -YouTryToAccessToAFileThatIsNotAWebsitePage=Intenteu accedir a una adreça que no és una pàgina web +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Per seguir bones pràctiques de SEO, utilitzeu un text entre 5 i 70 caràcters MainLanguage=Idioma principal OtherLanguages=Altres idiomes UseManifest=Proporciona un fitxer manifest.json -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +PublicAuthorAlias=Àlies d’autor públic +AvailableLanguagesAreDefinedIntoWebsiteProperties=Els idiomes disponibles es defineixen a les propietats del lloc web +ReplacementDoneInXPages=Substitució realitzada %s pàgines o contenidors +RSSFeed=Fils RSS +RSSFeedDesc=Podeu obtenir un feed RSS dels darrers articles amb el tipus "blogpost" mitjançant aquesta URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang index 18ced6ebaa3..65c90ae2cb6 100644 --- a/htdocs/langs/ca_ES/withdrawals.lang +++ b/htdocs/langs/ca_ES/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Àrea de pagament de domiciliacions bancaries -SuppliersStandingOrdersArea=Àrea de pagament mitjançant domiciliació bancària +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Ordres de pagament mitjançant domiciliació bancària StandingOrderPayment=Ordre de pagament de domiciliació NewStandingOrder=Nova ordre de domiciliació bancària +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=A processar +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Domiciliacions WithdrawalReceipt=Domiciliació +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Últims %s fitxers per a la domiciliació bancària +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Línies de ordres de domiciliació bancària -RequestStandingOrderToTreat=Petició per a processar ordres de pagament mitjançant domiciliació bancària -RequestStandingOrderTreated=Petició per a processar ordres de pagament mitjançant domiciliació bancària finalitzada +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Encara no és possible. L'estat de la domiciliació ter que ser 'abonada' abans de poder realitzar devolucions a les seves línies -NbOfInvoiceToWithdraw=Nombre de factures qualificades esperant l'ordre de domiciliació bancària +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Número de factures a client en espera de domiciliació per a clients que tenen el número de compte definida +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Factura esperant per domiciliació bancària +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Import a domiciliar -WithdrawsRefused=Domiciliació bancària refusada -NoInvoiceToWithdraw=No hi ha cap factura del client amb "Sol·licituds de domiciliació" obertes. Ves a la pestanya '%s' a la fitxa de la factura per fer una sol·licitud. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No hi ha cap factura de proveïdor pendent amb "sol·licituds de crèdit directe" obertes. Aneu a la pestanya "%s" de la fitxa de la factura per fer una sol·licitud. ResponsibleUser=Usuari responsable WithdrawalsSetup=Configuració del pagament mitjançant domiciliació bancària +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Estadístiques del pagament mitjançant domiciliació bancària -WithdrawRejectStatistics=Configuració del rebutj de pagament per domiciliació bancària +CreditTransferStatistics=Credit transfer statistics +Rejects=Devolucions LastWithdrawalReceipt=Últims %s rebuts domiciliats MakeWithdrawRequest=Fer una petició de pagament per domiciliació bancària WithdrawRequestsDone=%s domiciliacions registrades @@ -34,7 +50,9 @@ TransMetod=Mètode enviament Send=Envia Lines=línies StandingOrderReject=Emetre una devolució +WithdrawsRefused=Domiciliació bancària refusada WithdrawalRefused=Devolució de domiciliació +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=¿Està segur de voler crear una devolució de domiciliació per a l'empresa RefusedData=Data de devolució RefusedReason=Motiu de devolució @@ -58,6 +76,8 @@ StatusMotif8=Altre motiu CreateForSepaFRST=Crear un fitxer de domiciliació bancària (SEPA FRST) CreateForSepaRCUR=Crea un fitxer de domiciliació bancària (SEPA RCUR) CreateAll=Crear un fitxer de domiciliació bancària (tot) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Només oficina CreateBanque=Només banc OrderWaiting=A l'espera de procés @@ -67,6 +87,7 @@ NumeroNationalEmetter=Número Nacional del Emissor WithBankUsingRIB=Per als comptes bancaris que utilitzen CCC WithBankUsingBANBIC=Per als comptes bancaris que utilitzen el codi BAN/BIC/SWIFT BankToReceiveWithdraw=Recepció del compte bancari +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Abonada el WithdrawalFileNotCapable=No és possible generar el fitxer bancari de domiciliació pel país %s (El país no esta suportat) ShowWithdraw=Mostra la comanda de domiciliació directa @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tanmateix, si la factura té com a m DoStandingOrdersBeforePayments=Aquesta llengüeta et permet fer una petició de pagament per domiciliació bancària. Un cop feta, aneu al menú Bancs -> Domiciliacions bancàries per a gestionar el pagament per domiciliació. Quan el pagament és tancat, el pagament sobre la factura serà automàticament gravat, i la factura tancada si el pendent a pagar re-calculat resulta cero. WithdrawalFile=Arxiu de la domiciliació SetToStatusSent=Classificar com "Arxiu enviat" -ThisWillAlsoAddPaymentOnInvoice=Això també registrarà els pagaments a les factures i les classificarà com a "Pagades" quan el que resti per pagar sigui nul +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Estadístiques per estats de línies RUM=UMR DateRUM=Data de signatura del mandat diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang index 6be591f9d54..cceb4acf21f 100644 --- a/htdocs/langs/cs_CZ/accountancy.lang +++ b/htdocs/langs/cs_CZ/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Další kroky by měly být provedeny, abyste u AccountancyAreaDescActionFreq=Tyto akce jsou proto zpravidla prováděny každý měsíc, týden nebo den pro velmi velké společnosti ... AccountancyAreaDescJournalSetup=KROK %s: Vytvořte nebo zkontrolujte obsah vašeho seznamu časopisů z nabídky %s -AccountancyAreaDescChartModel=KROK %s: Vytvoření modelu schématu účtu z nabídky %s -AccountancyAreaDescChart=KROK %s: Vytvořte nebo zkontrolujte obsah schématu účtu z nabídky %s +AccountancyAreaDescChartModel=KROK %s: Zkontrolujte, zda existuje model účtové osnovy, nebo vytvořte jeden z nabídky %s. +AccountancyAreaDescChart=KROK %s: Vyberte a | nebo dokončete svůj účtový graf z nabídky %s AccountancyAreaDescVat=KROK %s: Definujte účetní účty pro každou DPH. K tomu použijte položku nabídky %s. AccountancyAreaDescDefault=KROK %s: Definujte výchozí účetní účty. K tomu použijte položku nabídky %s. @@ -98,8 +98,8 @@ MenuExpenseReportAccounts=Účet výkazů výdajů MenuLoanAccounts=Úvěrové účty MenuProductsAccounts=produktové účty MenuClosureAccounts=Uzavření účtů -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements +MenuAccountancyClosure=Uzavření +MenuAccountancyValidationMovements=Ověřte pohyby ProductsBinding=Produkty účty TransferInAccounting=Transfer v účetnictví RegistrationInAccounting=Registrace v účetnictví @@ -110,7 +110,7 @@ ExpenseReportsVentilation=Záväzná zpráva o výdajích CreateMvts=Vytvořit novou transakci UpdateMvts=Modifikace transakce ValidTransaction=Ověřte transakci -WriteBookKeeping=Register transactions in Ledger +WriteBookKeeping=Zaregistrujte transakce v knize Bookkeeping=účetní kniha AccountBalance=Zůstatek na účtu ObjectsRef=Zdrojový objekt ref @@ -121,7 +121,7 @@ InvoiceLinesDone=Prověřené řádky faktury ExpenseReportLines=Řádky výkazů výdajů navázat ExpenseReportLinesDone=Vázané linie vyúčtování výdajů IntoAccount=Prověřit řádky v účetním účtu -TotalForAccount=Total for accounting account +TotalForAccount=Celkem za účetní účet Ventilate=Prověřit @@ -162,25 +162,25 @@ ACCOUNTING_RESULT_LOSS=Výsledek účetní účet (ztráta) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Časopis uzavření ACCOUNTING_ACCOUNT_TRANSFER_CASH=Účtovací účet přechodného bankovního převodu -TransitionalAccount=Transitional bank transfer account +TransitionalAccount=Účet přechodného bankovního převodu ACCOUNTING_ACCOUNT_SUSPENSE=Čekající účet DONATION_ACCOUNTINGACCOUNT=Účtování účet registrovaných darů ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Účtovací účet pro registraci předplatného -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Účetní účet ve výchozím nastavení pro zakoupené produkty (používá se, pokud není definováno v produktovém listu) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Účetní účet ve výchozím nastavení u zakoupených produktů v EHS (používá se, pokud není definováno v produktovém listu) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Účetní účet ve výchozím nastavení pro nakoupené produkty a dovážený z EHS (používá se, pokud není definován v listu produktu) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Účetní účet ve výchozím nastavení pro prodané produkty (použít, pokud není definován v listu produktu) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Účetní účet ve výchozím nastavení u produktů prodávaných v EHS (používá se, pokud není definováno v produktovém listu) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Účetní účet ve výchozím nastavení u produktů prodaných a vyvezených z EHS (používá se, pokud není definováno v produktovém listu) ACCOUNTING_SERVICE_BUY_ACCOUNT=Účetní účet ve výchozím nastavení pro zakoupené služby (použít, pokud není definován v servisním listu) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Účetní účet ve výchozím nastavení pro zakoupené služby v EHS (používá se, pokud není definováno v listu služeb) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Účetní účet ve výchozím nastavení pro nakoupené služby a importovaný z EHS (používá se, pokud není definováno v listu služeb) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Účetní účet ve výchozím nastavení pro prodané služby (použít, pokud není definován v servisním listu) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Účetní účet ve výchozím nastavení pro služby prodávané v EHS (používá se, pokud není definováno v listu služeb) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Účetní účet ve výchozím nastavení pro služby prodané a vyvezené z EHS (použité, pokud není definováno v listu služeb) Doctype=Typ dokumentu Docdate=Datum @@ -203,10 +203,10 @@ ByPersonalizedAccountGroups=Individuálními skupinami ByYear=Podle roku NotMatch=Nenastaveno DeleteMvt=Odstraňte řádky knihy -DelMonth=Month to delete +DelMonth=Měsíc k odstranění DelYear=Odstrannění roku DelJournal=Journal, který chcete smazat -ConfirmDeleteMvt=This will delete all lines of the Ledger for the year/month and/or from a specific journal (At least one criterion is required). You will have to reuse the feature 'Registration in accounting' to have the deleted record back in the ledger. +ConfirmDeleteMvt=Tím vymažete všechny řádky knihy pro rok / měsíc a / nebo z konkrétního deníku (je vyžadováno alespoň jedno kritérium). Budete muset znovu použít funkci 'Registrace v účetnictví', aby se vymazaný záznam vrátil do knihy. ConfirmDeleteMvtPartial=Tímto bude smazána transakce z Ledger (všechny řádky související se stejnou transakcí budou smazány) FinanceJournal=Finanční deník ExpenseReportsJournal=Výdajové zprávy journal @@ -229,20 +229,20 @@ DescThirdPartyReport=Zde naleznete seznam zákazníků a prodejců subjektů a j ListAccounts=Seznam účetních účtů UnknownAccountForThirdparty=Neznámý účet subjektu. Použijeme %s UnknownAccountForThirdpartyBlocking=Neznámý účet subjektu. Chyba blokování -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Third-party account not defined or third party unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Účet subjektu není definován nebo subjekt je neznámý. Použijeme %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Neznámý a vedlejší účet subjektu pro platbu není definován. Hodnotu účtu vedlejších účtů ponecháme prázdnou. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Účet subjektu není definován nebo neznámý subjekt. Chyba blokování. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Neznámý účet subjektu a účet čekání není definován. Chyba blokování PaymentsNotLinkedToProduct=Platba není spojena s žádným produktem / službou -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by group +OpeningBalance=Počáteční zůstatek +ShowOpeningBalance=Zobrazit počáteční zůstatek +HideOpeningBalance=Skrýt počáteční zůstatek +ShowSubtotalByGroup=Zobrazit mezisoučet podle skupiny Pcgtype=Skupina účtů -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +PcgtypeDesc=Skupina účtů se používá jako předdefinovaná kritéria pro filtrování a seskupování pro některé účetní výkazy. Například „PŘÍJMY“ nebo „VÝDAJE“ se používají jako skupiny pro účetní účty produktů k sestavení výkazu nákladů / výnosů. -Reconcilable=Reconcilable +Reconcilable=Smíření TotalVente=Celkový obrat před zdaněním TotalMarge=Celkové tržby marže @@ -253,18 +253,18 @@ DescVentilDoneCustomer=Seznamte se zde se seznamem řádků faktur zákazníků DescVentilTodoCustomer=Vázat fakturační řádky, které již nejsou vázány účtem účetnictví produktu ChangeAccount=Změnit výrobek/službu na účetnm účtu ve vybraných řádcích s následujícím účetním účtem: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Seznamte se zde se seznamem linek s fakturami dodavatele vázaných nebo dosud vázaných na účet účetnictví produktu (jsou viditelné pouze záznamy, které ještě nebyly převedeny do účetnictví) DescVentilDoneSupplier=Zde si přečtěte seznam řádků prodejních faktur a jejich účetní účet DescVentilTodoExpenseReport=Vázat řádky výkazu výdajů, které již nejsou vázány účtem účtování poplatků DescVentilExpenseReport=Zde si přečtěte seznam výkazů výdajů vázaných (nebo ne) na účty účtování poplatků DescVentilExpenseReportMore=Pokud nastavíte účetní účet na řádcích výkazu druhů výdajů, aplikace bude schopna provést veškerou vazbu mezi řádky výkazu výdajů a účetním účtem vašeho účtovacího schématu, a to jedním kliknutím tlačítkem "%s" . Pokud účet nebyl nastaven na slovník poplatků nebo máte stále nějaké řádky, které nejsou vázány na žádný účet, budete muset provést ruční vazbu z nabídky " %s ". DescVentilDoneExpenseReport=Poraďte se zde seznam v souladu se zprávami výdajů a jejich poplatků účtování účtu -DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open -OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year) -ValidateMovements=Validate movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible -SelectMonthAndValidate=Select month and validate movements +DescClosure=Zde se podívejte na počet pohybů za měsíc, kteří nejsou validováni a fiskální roky již otevřeny +OverviewOfMovementsNotValidated=Krok 1 / Přehled pohybů neověřených. (Nezbytné uzavřít fiskální rok) +ValidateMovements=Ověřte pohyby +DescValidateMovements=Jakékoli úpravy nebo vymazání písem, nápisů a vymazání budou zakázány. Všechny přihlášky na cvičení musí být validovány, jinak nebude možné uzavřít +SelectMonthAndValidate=Vyberte měsíc a potvrďte pohyby ValidateHistory=Ověřit automaticky AutomaticBindingDone=Automatické vázání provedeno @@ -280,7 +280,7 @@ ListOfProductsWithoutAccountingAccount=Seznam výrobků, které nejsou vázány ChangeBinding=Změnit vazby Accounted=Účtováno v knize NotYetAccounted=Zatím nebyl zaznamenán v knize -ShowTutorial=Show Tutorial +ShowTutorial=Zobrazit výuku NotReconciled=Nesladěno ## Admin @@ -291,7 +291,7 @@ AccountingJournals=účetní deníky AccountingJournal=Účetní deník NewAccountingJournal=Nový účetní deník ShowAccountingJournal=Zobrazit účetní deník -NatureOfJournal=Nature of Journal +NatureOfJournal=Povaha časopisu AccountingJournalType1=Různé operace AccountingJournalType2=Odbyt AccountingJournalType3=Nákupy @@ -317,33 +317,33 @@ Modelcsv_quadratus=Export pro Quadratus QuadraCompta Modelcsv_ebp=Export pro EBP Modelcsv_cogilog=Export pro Cogilog Modelcsv_agiris=Export pro Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) -Modelcsv_openconcerto=Export for OpenConcerto (Test) +Modelcsv_LDCompta=Export pro LD Compta (v9) (Test) +Modelcsv_LDCompta10=Export pro LD Compta (v10 a vyšší) +Modelcsv_openconcerto=Export pro OpenConcerto (Test) Modelcsv_configurable=Export CSV konfigurovatelný Modelcsv_FEC=Export FEC -Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_Sage50_Swiss=Export pro Sage 50 Švýcarsko +Modelcsv_winfic=Exportovat Winfic - eWinfic - WinSis Compta ChartofaccountsId=Schéma Id účtů ## Tools - Init accounting account on product / service InitAccountancy=Init účetnictví InitAccountancyDesc=Tato stránka může být použita k inicializaci účetnictví u produktů a služeb, které nemají účetní účet definovaný pro prodej a nákup. DefaultBindingDesc=Tato stránka může být použita k nastavení výchozího účtu, který bude použit pro propojení záznamů o platbách, darování, daních a DPH, pokud již nebyl stanoven žádný účet. -DefaultClosureDesc=This page can be used to set parameters used for accounting closures. +DefaultClosureDesc=Na této stránce lze nastavit parametry používané pro uzavření účetnictví. Options=možnosti OptionModeProductSell=prodejní režim OptionModeProductSellIntra=Režim prodeje vyváženého v EHS OptionModeProductSellExport=Režim prodeje vyvážené v jiných zemích OptionModeProductBuy=Nákupní režim -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Nákupy režimů importované do EHS +OptionModeProductBuyExport=Režim zakoupený dovezený z jiných zemí OptionModeProductSellDesc=Zobrazit všechny produkty s vyúčtováním pro přímý prodej. OptionModeProductSellIntraDesc=Zobrazit všechny produkty s účetním účtem pro prodej v EHS. OptionModeProductSellExportDesc=Zobrazit všechny produkty s účetním účtem pro ostatní zahraniční prodeje. OptionModeProductBuyDesc=Zobrazit všechny produkty které připadají v úvahu pro nákupy. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. +OptionModeProductBuyIntraDesc=Zobrazit všechny produkty s účetním účtem pro nákupy v EHS. +OptionModeProductBuyExportDesc=Zobrazit všechny produkty s účetním účtem pro ostatní zahraniční nákupy. CleanFixHistory=Odstraňte účtovací kód z řádků, které neexistují ve schématech účtu CleanHistory=Obnovit všechny vazby pro vybraný rok PredefinedGroups=Předdefinované skupiny @@ -351,11 +351,11 @@ WithoutValidAccount=Bez platného zvláštním účtu WithValidAccount=S platným zvláštním účtu ValueNotIntoChartOfAccount=Tato hodnota účetního účtu neexistuje v účtu AccountRemovedFromGroup=Účet byl odstraněn ze skupiny -SaleLocal=Local sale -SaleExport=Export sale -SaleEEC=Sale in EEC -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleLocal=Místní prodej +SaleExport=Exportní prodej +SaleEEC=Prodej v EHS +SaleEECWithVAT=Prodej v EHS s nulovou DPH, takže předpokládáme, že se nejedná o intrakomunitní prodej a navrhovaný účet je standardní produktový účet. +SaleEECWithoutVATNumber=Prodej v EHS bez DPH, ale DIČ třetí strany není definováno. Pro standardní prodej jsme upadli na produktový účet. V případě potřeby můžete opravit DIČ třetí strany nebo produktový účet. ## Dictionary Range=Řada účetních účtu @@ -376,7 +376,7 @@ UseMenuToSetBindindManualy=Řádky, které ještě nejsou vázány, použijte na ## Import ImportAccountingEntries=Účetní zápisy -DateExport=Date export +DateExport=Datum exportu WarningReportNotReliable=Upozornění: Tento přehled není založen na záznamníku, takže neobsahuje transakci upravenou ručně v Knihovně. Je-li vaše deník aktuální, zobrazení účetnictví je přesnější. ExpenseReportJournal=Účet výkazů výdajů InventoryJournal=Inventářový věstník diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index 290281ecabb..66e491723a3 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Web server uživatel / skupina NoSessionFound=Nastavení Vašeho PHP Vám neumožňuje výpis aktivních relací. Složka sloužící k uložení relací (%s) může být chráněna (např. nastavením oprávnění OS nebo PHP open_basedir). DBStoringCharset=Znaková sada pro databázi s daty DBSortingCharset=Znaková sada pro řazení databáze s daty -HostCharset=Host charset +HostCharset=Hostitelská znaková sada ClientCharset=Klientská znaková sada ClientSortingCharset=Srovnání klientů WarningModuleNotActive=Modul %s musí být povolen @@ -52,7 +52,7 @@ InternalUsers=Interní uživatelé ExternalUsers=Externí uživatelé GUISetup=Zobrazení SetupArea=Nastavení -UploadNewTemplate=Nahrát nové šablony +UploadNewTemplate=Nahrát novou šablonu(y) FormToTestFileUploadForm=Formulář pro testování uploadu souborů (dle nastavení) IfModuleEnabled=Poznámka: Ano má efekt pouze tehdy, pokud je aktivní modul %s RemoveLock=Odebrat / přejmenovat soubor %s , pokud existuje, povolit použití nástroje Update / Install. @@ -95,14 +95,14 @@ NextValueForInvoices=Další hodnota (faktury) NextValueForCreditNotes=Další hodnota (dobropisů) NextValueForDeposit=Další hodnota (záloha) NextValueForReplacements=Další hodnota (náhrady) -MustBeLowerThanPHPLimit=Poznámka: vaše konfigurace PHP momentálně omezuje maximální velikost souboru pro upload na %s %s, bez ohledu na hodnotu tohoto parametru +MustBeLowerThanPHPLimit=Poznámka: Vaše konfigurace PHP v současné době omezuje maximální velikost souboru pro upload na %s %s, bez ohledu na hodnotu tohoto parametru NoMaxSizeByPHPLimit=Poznámka: Ve Vaší PHP konfiguraci není nastaven limit MaxSizeForUploadedFiles=Maximální velikost nahrávaných souborů (0 pro zablokování nahrávání) UseCaptchaCode=Použít grafický kód (CAPTCHA) na přihlašovací stránce AntiVirusCommand=Úplná cesta k antivirovému souboru -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Příklad pro ClamAv Daemon (vyžaduje clamav-daemon): / usr / bin / clamdscan
Příklad pro ClamWin (velmi velmi pomalu): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam= Další parametry příkazového řádku -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Příklad pro ClamAv Daemon: --fdpass
Příklad pro ClamWin: --database = "C: \\ Program Files (x86) \\ ClamWin \\ lib" ComptaSetup=Nastavení účetního modulu UserSetup=Nastavení správy uživatelů MultiCurrencySetup=Nastavení více měn @@ -111,7 +111,7 @@ MenuIdParent=ID nadřazeného menu DetailMenuIdParent=ID nadřazeného menu (nechte prázdný pro top menu) DetailPosition=Řadicí číslo pro nastavení pozice v menu AllMenus=Vše -NotConfigured=Modul/aplikace není nakonfigurován(a) +NotConfigured=Modul/aplikace není nakonfigurován Active=Aktivní SetupShort=Nastavení OtherOptions=Další možnosti @@ -130,8 +130,8 @@ PHPTZ=Časové pásmo PHP serveru DaylingSavingTime=Letní čas CurrentHour=PHP Čas (server) CurrentSessionTimeOut=Aktuální časový limit relace -YouCanEditPHPTZ=Chcete-li nastavit jinou časovou zónu PHP (není vyžadováno), můžete zkusit přidat soubor .htaccess s řádkem jako "SetEnv TZ Europe / Paris" -HoursOnThisPageAreOnServerTZ=Upozorňujeme, že na rozdíl od jiných obrazovky nejsou hodiny na této stránce ve vaší místní časové zóně, ale v časové zóně serveru. +YouCanEditPHPTZ=Chcete-li nastavit jinou časovou zónu PHP (není vyžadováno), můžete zkusit přidat soubor .htaccess s řádkem jako "SetEnv TZ Europe/Paris" +HoursOnThisPageAreOnServerTZ=Varování: Na rozdíl od jiných obrazovek, hodiny na této stránce nejsou ve vašem místním časovém pásmu, ale v časovém pásmu serveru. Box=Widget Boxes=Boxy MaxNbOfLinesForBoxes=Maximální počet řádků pro widgety @@ -200,14 +200,14 @@ FeatureDisabledInDemo=Funkce zakázána v demu FeatureAvailableOnlyOnStable=Funkce je k dispozici pouze v oficiálních stabilních verzích BoxesDesc=Widgety jsou oblasti obrazovky, které ukazují krátké informace na některých stránkách. Můžete si vybrat mezi zobrazením/schováním boxu zvolením cílové stránky a kliknutím na 'Aktivovat' nebo kliknutím na popelnici ji zakázat. OnlyActiveElementsAreShown=Pouze prvky z povolených modulů jsou uvedeny. -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. +ModulesDesc=Moduly / aplikace určují, jaké funkce jsou v softwaru k dispozici. Některé moduly vyžadují oprávnění, která mají být udělena uživatelům po aktivaci modulu. Kliknutím na tlačítko zapnutí / vypnutí %s každého modulu povolíte nebo zakážete modul / aplikaci. ModulesMarketPlaceDesc=Více modulů naleznete ke stažení na externích webových stránkách ... ModulesDeployDesc=Pokud to umožňují oprávnění vašeho souborového systému, můžete pomocí tohoto nástroje nasadit externí modul. Modul bude potom viditelný na kartě %s . ModulesMarketPlaces=Najděte externí aplikaci / moduly ModulesDevelopYourModule=Vytvořte si vlastní aplikaci / moduly ModulesDevelopDesc=Můžete také vyvíjet svůj vlastní modul nebo najít partnera, který by vám mohl vyvíjet jeden. DOLISTOREdescriptionLong=Místo spuštění www.dolistore.com webového místa k nalezení externího modulu, můžete použít tento integrovaný nástroj, který pro vás provede vyhledávání na externím trhu (může být pomalé, potřebujete přístup k internetu) ... -NewModule=Nový +NewModule=Nový modul FreeModule=Volný CompatibleUpTo=Kompatibilní s verzí %s NotCompatible=Tento modul se nezdá být kompatibilní s Dolibarr %s (Min %s - Max %s). @@ -219,11 +219,11 @@ Nouveauté=Novinka AchatTelechargement=Koupit / stáhnout GoModuleSetupArea=Chcete-li nasadit / nainstalovat nový modul, přejděte do oblasti nastavení modulu: %s . DoliStoreDesc=DoliStore, oficiální trh pro download externích modulů Dolibarr ERP / CRM -DoliPartnersDesc=Seznam firem, které poskytují vlastní moduly nebo funkce.
Poznámka: Vzhledem k tomu, že Dolibarr je aplikace s otevřeným zdrojovým kódem, může , který má zkušenosti s programováním PHP, vyvinout modul, který by měl . +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Externí webové stránky pro další (doplňkové) moduly ... DevelopYourModuleDesc=Některá řešení pro vývoj vlastního modulu ... URL=URL -RelativeURL=Relative URL +RelativeURL=Relativní URL BoxesAvailable=widgety k dispozici BoxesActivated=Widgety aktivovány ActivateOn=Aktivace na @@ -238,7 +238,7 @@ DoNotStoreClearPassword=Šifrování hesel uložených v databázi (NE jako pros MainDbPasswordFileConfEncrypted=Šifrování hesla databáze uloženého v conf.php. Důrazně doporučujeme tuto možnost aktivovat. InstrucToEncodePass=Pro uložení zašifrovaného hesla do conf.php, nahraďte řádku
$dolibarr_main_db_pass="..."
hodnotou
$dolibarr_main_db_pass="crypted:%s" InstrucToClearPass=Pro uložení nezašifrovaného (čistého) hesla do conf.php, nahraďte řádku
$dolibarr_main_db_pass="crypted:..."
hodnotou
$dolibarr_main_db_pass="%s" -ProtectAndEncryptPdfFiles=Přidat ochranu generovaných souborů PDF (Nedoporučuje se, zablokuje hromadné generování PDF) +ProtectAndEncryptPdfFiles=Přidat ochranu generovaných souborů PDF. Nedoporučuje se, zablokuje hromadné generování PDF ProtectAndEncryptPdfFilesDesc=Ochrana dokumentu PDF jej umožňuje číst a tisknout pomocí libovolného prohlížeče PDF. Úpravy a kopírování však již není možné. Všimněte si, že pomocí této funkce není možné vytvářet globální sloučené PDF soubory. Feature=Funkce DolibarrLicense=Licence @@ -364,7 +364,7 @@ DisableLinkToHelp=Skrýt odkaz na online nápovědu " %s " AddCRIfTooLong=Neexistuje automatické zabalení textu, text, který je příliš dlouhý, se v dokumentech nezobrazí. Přidejte v případě potřeby textové zprávy. ConfirmPurge=Opravdu chcete provést toto vyčištění?
Toto natrvalo odstraní všechny vaše datové soubory, aniž by je bylo možné obnovit (soubory ECM, připojené soubory ...). MinLength=Minimální délka -LanguageFilesCachedIntoShmopSharedMemory=Soubory. Lang vložen do sdílené paměti +LanguageFilesCachedIntoShmopSharedMemory=Soubory .lang načteny do sdílené paměti LanguageFile=Jazykový soubor ExamplesWithCurrentSetup=Příklady s aktuální konfigurací ListOfDirectories=Seznam adresářů šablon OpenDocument @@ -374,7 +374,7 @@ ExampleOfDirectoriesForModelGen=Příklady syntaxe:
c: \\ mydir
/ Home FollowingSubstitutionKeysCanBeUsed=
Chcete-li vědět, jak vytvořit své ODT šablony dokumentů před jejich uložením do těchto adresářů, přečtěte si wiki dokumentace: FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Pozice Jméno / Příjmení -DescWeather=Následující obrázky se zobrazí na palubní desce, když počet pozdních akcí dosáhne následujících hodnot: +DescWeather=Jakmile počet pozdních akcí dosáhne následujících hodnot, na palubní desce se zobrazí následující obrázky: KeyForWebServicesAccess=Klíč pro použití webových služeb (parametr "dolibarrkey" ve webových službách) TestSubmitForm=Vstupní testovací formulář ThisForceAlsoTheme=Použití tohoto správce nabídky bude také používat svůj vlastní motiv bez ohledu na volbu uživatele. Také tento správce nabídek, specializovaný na smartphony, nefunguje na všech smartphonech. Pokud máte problémy s vaším, použijte jiného správce nabídek. @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Zaškrtávače ExtrafieldCheckBoxFromList=Zaškrtávací políčka z tabulky ExtrafieldLink=Odkaz na objekt ComputedFormula=Vypočtené pole -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=Zde můžete zadat vzorec pomocí jiných vlastností objektu nebo jakéhokoli kódování PHP, abyste získali dynamickou vypočítanou hodnotu. Můžete použít libovolné vzorce kompatibilní s PHP, včetně "?" operátor stavu a následující globální objekt: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
VAROVÁNÍ : K dispozici mohou být pouze některé vlastnosti objektu $. Pokud potřebujete vlastnosti, které nejsou načteny, stačí si objekt načíst do vzorce jako v druhém příkladu.
Použití vypočítaného pole znamená, že z rozhraní nemůžete zadat žádnou hodnotu. Rovněž pokud dojde k chybě syntaxe, vzorec nemůže nic vrátit.

Příklad vzorce:
$ object-> id < 10 ? round($object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) subst ($ mysoc-> zip, 1, 2, 2 )

Příklad opětovného načtení objektu
(($ reloadedobj = new Societe ($ db)) && ($ reloadedobj-> fetchNoCompute ($ obj-> id? $ obj-> id: $ obj-id: $ obj-id: $ obj-id: $ obj-id: $ obj-id: $ obj-> obj:? > rowid: $ object-> id))> 0))? $ reloadedobj-> array_options ['options_extrafieldkey'] * $ reloadedobj-> capital / 5: '-1'

Další příklad vzorce pro vynucení zatížení objektu a jeho nadřazeného objektu:
(= $ reloadedobj (= $ $ load) )) && ($ reloadedobj-> fetchNoCompute ($ object-> id)> 0) && ($ secondloadedobj = nový projekt ($ db)) && ($ secondloadedobj-> fetchNoCompute ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Nadřazený projekt nebyl nalezen' Computedpersistent=Uložte vypočítané pole ComputedpersistentDesc=Vypočítaná další pole pole budou uložena do databáze, hodnota však bude přepočítána pouze při změně objektu tohoto pole. Pokud vypočítané pole závisí na jiných objektech nebo globálních datech, může být tato hodnota špatná !! ExtrafieldParamHelpPassword=Pokud ponecháte toto pole prázdné, znamená to, že tato hodnota bude uložena bez šifrování (pole musí být skryto pouze s hvězdou na obrazovce).
Nastavte "auto" pro použití výchozího šifrovacího pravidla pro uložení hesla do databáze (pak hodnota bude číst pouze hash, žádný způsob získání původní hodnoty) @@ -440,19 +440,20 @@ ExtrafieldParamHelpchkbxlst=Seznam hodnot pochází z tabulky
Syntaxe: tabl ExtrafieldParamHelplink=Parametry musí být ObjectName: Classpath
Syntaxe: Název_objektu: Classpath
Příklady:
Societe: societe / class / societe.class.php
Kontakt: contact / class / contact.class.php ExtrafieldParamHelpSeparator=Ponechte prázdné pro jednoduchý oddělovač
Tuto hodnotu nastavíte na 1 pro odlučovač (výchozí nastavení je otevřeno pro novou relaci, poté je stav zachován pro každou uživatelskou relaci)
Nastavte tuto položku na 2 pro sbalující se oddělovač. (ve výchozím nastavení sbaleno pro novou relaci, pak je stav udržován pro každou relaci uživatele) LibraryToBuildPDF=Knihovna používaná pro generování PDF -LocalTaxDesc=Některé země mohou uplatnit dvě nebo tři daně na každé čáře faktur. Pokud tomu tak je, vyberte typ druhého a třetího daně a jeho sazbu. Možné typy jsou:
1: místní daň se vztahuje na produkty a služby bez DPH (platí se na základě daně bez daně)
2: místní daň se vztahuje na produkty a služby, včetně DPH (0%) 3x342fccfda19b 3: místní daň se vztahuje na produkty bez DPH (místní taxa se vypočítává z částky bez daně)
4: místní daň se vztahuje na produkty včetně DPH (místní taxa se vypočítává z částky + hlavní daň)
5: Místní daň platí pro služby bez DPH z částky bez daně)
6: Místní daň platí za služby včetně DPH (místní taxa se vypočítává z částky + daně) +LocalTaxDesc=Některé země mohou na každou řádku faktury uplatnit dvě nebo tři daně. V takovém případě vyberte typ druhé a třetí daně a její sazbu. Možný typ je:
1: místní daň se vztahuje na výrobky a služby bez DPH (místní daň se počítá na částku bez daně)
2: místní daň se vztahuje na výrobky a služby včetně DPH (místní daň se počítá na částku + hlavní daň)
3: místní daň se vztahuje na produkty bez DPH (místní daň se počítá na částku bez daně)
4: místní daň se vztahuje na produkty včetně DPH (místní daň se počítá na částku + hlavní DPH)
5: místní daň se vztahuje na služby bez DPH (vypočítá se místní daň na částku bez daně)
6: místní daň se vztahuje na služby včetně DPH (místní daň se počítá na částku + daň) SMS=SMS LinkToTestClickToDial=Zadejte telefonní číslo, které chcete zavolat a zobrazí se odkaz na testování adresy URL ClickToDial pro uživatele %s RefreshPhoneLink=Obnovit odkaz LinkToTest=Klikací odkaz generovány pro uživatele %s (klikněte na telefonní číslo pro testování) KeepEmptyToUseDefault=Uchovávejte prázdnou pro použití výchozí hodnoty +KeepThisEmptyInMostCases=Ve většině případů můžete ponechat toto pole prázdné. DefaultLink=Výchozí odkaz SetAsDefault=Nastavit jako výchozí ValueOverwrittenByUserSetup=Upozornění: tato hodnota může být přepsána uživatelsky specifickým nastavením (každý uživatel si může nastavit svoji vlastní adresu kliknutí) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Masový čárový kód pro subjekty -BarcodeInitForProductsOrServices=Masový čárový kód pro produkty nebo služby +ExternalModule=Externí modul +InstalledInto=Nainstalován do adresáře %s +BarcodeInitForThirdparties=Hromadná inicializace čárového kódu pro subjekty +BarcodeInitForProductsOrServices=Hromadná inicializace nebo resetování čárového kódu pro produkty nebo služby CurrentlyNWithoutBarCode=V současné době máte %s záznam na %s %s bez definice čárového kódu. InitEmptyBarCode=Init hodnota pro příští %s prázdnými záznamů EraseAllCurrentBarCode=Vymazat všechny aktuální hodnoty čárových kódů @@ -525,7 +526,7 @@ Module30Name=Faktury Module30Desc=Řízení faktur a dobropisů pro zákazníky. Řízení faktur a dobropisů pro dodavatele Module40Name=Dodavatelé Module40Desc=Prodejci a řízení nákupu (objednávky a fakturace dodavatelských faktur) -Module42Name=Debug Logs +Module42Name=Ladicí protokoly Module42Desc=Zařízení pro protokolování (soubor, syslog, ...). Takové protokoly jsou určeny pro technické účely / ladění. Module49Name=Redakce Module49Desc=Editor pro správu @@ -541,15 +542,15 @@ Module54Name=Smlouvy/Objednávky Module54Desc=Správa smluv (služby nebo opakované předplatné) Module55Name=Čárové kódy Module55Desc=Správa čárových kódů -Module56Name=Telefonie -Module56Desc=Integrace telefonie +Module56Name=Platba převodem +Module56Desc=Správa plateb prostřednictvím příkazů k úhradě. Zahrnuje vytvoření souboru SEPA pro evropské země. Module57Name=Bank Direct Debit platby Module57Desc=Správa platebních příkazů inkasních příkazů. Zahrnuje generování souboru SEPA pro evropské země. Module58Name=ClickToDial Module58Desc=Integrace ClickToDial systému (Asterisk, ...) Module59Name=Bookmark4u Module59Desc=Přidat funkce pro generování Bookmark4u účet z účtu Dolibarr -Module60Name=Samolepky +Module60Name=Nálepky Module60Desc=Správa nálepek Module70Name=Intervence Module70Desc=Intervence řízení @@ -572,7 +573,7 @@ Module240Desc=Nástroj pro export dat Dolibarr (s pomocí) Module250Name=Import dat Module250Desc=Nástroj pro import dat do Dolibarru (s pomocí) Module310Name=Členové -Module310Desc=Nadace členové vedení +Module310Desc=Správa členů nadace Module320Name=RSS Feed Module320Desc=Přidejte RSS zdroj na stránky Dolibarr Module330Name=Záložky a zkratky @@ -588,7 +589,7 @@ Module510Desc=Zaznamenejte a sledujte platby zaměstnanců Module520Name=Úvěry Module520Desc=Správa úvěrů Module600Name=Oznámení o obchodní události -Module600Desc=Odeslání e-mailových upozornění vyvolaných podnikovou událostí: na uživatele (nastavení definované pro každého uživatele), na kontakty třetích stran (nastavení definováno na každé třetí straně) nebo na konkrétní e-maily +Module600Desc=Odeslání e-mailových upozornění vyvolaných podnikovou událostí: na uživatele (nastavení definované pro každého uživatele), na kontakty subjektů (nastavení definováno pro každý subjekt) nebo na konkrétní e-maily Module600Long=Všimněte si, že tento modul pošle e-maily v reálném čase, když nastane konkrétní událost. Pokud hledáte funkci pro zasílání upozornění na události agend, přejděte do nastavení modulu Agenda. Module610Name=Varianty produktu Module610Desc=Tvorba variant produktů (barva, velikost atd.) @@ -596,21 +597,21 @@ Module700Name=Dary Module700Desc=Darování řízení Module770Name=Výkazy výdajů Module770Desc=Správa výdajů na výkazy výdajů (doprava, jídlo, ...) -Module1120Name=Prodejní obchodní návrhy -Module1120Desc=Požadovat komerční prodejní návrh a ceny +Module1120Name=Obchodní návrhy prodejců +Module1120Desc=Vyžádejte si obchodní nabídku a ceny dodavatele Module1200Name=Mantis Module1200Desc=Mantis integrace -Module1520Name=Dokument Generation +Module1520Name=Generování dokumentu Module1520Desc=Hromadné vytváření elektronických dokumentů Module1780Name=Tagy/Kategorie -Module1780Desc=Vytvořte značky / kategorii (produkty, zákazníky, dodavatelé, kontakty nebo členy) +Module1780Desc=Vytvořte značky/kategorii (produkty, zákazníky, dodavatelé, kontakty nebo členy) Module2000Name=WYSIWYG editor Module2000Desc=Povolit editaci / formátování textových polí pomocí CKEditor (html) Module2200Name=Dynamické ceny -Module2200Desc=Použijte výrazy matematiky pro automatické generování cen +Module2200Desc=Pro automatické generování cen použijte matematické výrazy Module2300Name=Naplánované úlohy Module2300Desc=Správa plánovaných úloh (alias cron nebo chrono table) -Module2400Name=Události / Agenda +Module2400Name=Události/Agenda Module2400Desc=Sledujte události. Nahrajte automatické události pro účely sledování nebo zaznamenávejte ruční události nebo schůzky. Jedná se o hlavní modul pro správné řízení vztahů se zákazníky nebo dodavateli. Module2500Name=DMS / ECM Module2500Desc=Systém správy dokumentů / elektronické správy obsahu. Automatické uspořádání vytvořených nebo uložených dokumentů. Sdílejte je, když budete potřebovat. @@ -635,7 +636,7 @@ Module6000Name=Workflow Module6000Desc=Správa pracovních postupů (automatické vytvoření objektu a / nebo automatické změny stavu) Module10000Name=Webové stránky Module10000Desc=Vytvořte webové stránky (veřejné) pomocí editoru WYSIWYG. Toto je CMS pro webmastery nebo vývojáře (je lepší znát jazyk HTML a CSS). Stačí nastavit svůj webový server (Apache, Nginx, ...) tak, aby ukazoval na vyhrazený adresář Dolibarr, aby byl online na internetu s vaším vlastním názvem domény. -Module20000Name=Nechte správu požadavků +Module20000Name=Opustit správu žádostí Module20000Desc=Definujte a sledujte žádosti o odchod zaměstnanců Module39000Name=Množství produktu Module39000Desc=Série, sériová čísla, data prodávaná za produkty @@ -666,44 +667,44 @@ Module62000Desc=Přidat funkce pro správu Incoterms Module63000Name=Zdroje Module63000Desc=Spravujte prostředky (tiskárny, auta, místnosti, ...) pro přidělování událostí Permission11=Přečtěte si faktury zákazníků -Permission12=Vytvořit / upravit zákazníků faktur -Permission13=Zrušit platnost zákaznických faktur -Permission14=Ověřte zákaznické faktury +Permission12=Vytvářejte/upravujte zákaznické faktury +Permission13=Neplatné faktury zákazníků +Permission14=Ověřte faktury zákazníků Permission15=Odesílejte faktury zákazníků emailem -Permission16=Vytvořte platby za faktury zákazníka +Permission16=Vytvořte platby za zákaznické faktury Permission19=Smazat faktury zákazníků Permission21=Přečtěte si obchodní návrhy -Permission22=Vytvořit / upravit obchodní návrhy +Permission22=Vytvářejte/upravujte obchodní návrhy Permission24=Ověřit obchodní návrhy Permission25=Poslat obchodní návrhy Permission26=Zavřít obchodní návrhy Permission27=Odstranění obchodních návrhů Permission28=Export obchodních návrhů Permission31=Přečtěte si produkty -Permission32=Vytvořit / upravit produktů +Permission32=Vytvářejte/upravujte produkty Permission34=Odstranit produkty -Permission36=Viz / správa skryté produkty +Permission36=Zobrazení/správa skrytých produktů Permission38=Export produktů Permission41=Přečtěte si projekty a úkoly (sdílený projekt a projekty, pro které jsem kontakt). Může také zadat časově náročnou, pro mne nebo svou hierarchii, na přiřazené úkoly (Timesheet) Permission42=Vytvořte / upravte projekty (sdílený projekt a projekty, pro které jsem kontaktován). Může také vytvářet úkoly a přiřazovat uživatele k projektu a úkolům Permission44=Smazat projekty (sdílený projekt a projekty, pro které jsem kontakt) -Permission45=Export projekty +Permission45=Export projektů Permission61=Přečtěte intervence -Permission62=Vytvořit / upravit zásahy +Permission62=Vytvářejte/upravujte intervence Permission64=Odstranit intervence -Permission67=Vývozní intervence -Permission71=Přečtěte členů -Permission72=Vytvořit / upravit členů -Permission74=Smazat členů +Permission67=Export intervence +Permission71=Přečtěte si členy +Permission72=Vytvářejte/upravujte členy +Permission74=Smazat členy Permission75=Nastavení typu uživatele Permission76=Exportovat data Permission78=Přečtěte si předplatné -Permission79=Vytvořit / upravit předplatné +Permission79=Vytvořit/upravit předplatné Permission81=Přečtěte objednávky odběratelů -Permission82=Vytvořit / upravit zákazníci objednávky +Permission82=Vytvářejte/upravujte objednávky zákazníků Permission84=Potvrzení objednávky odběratelů -Permission86=Poslat objednávky odběratelů -Permission87=Zavřít zákazníky objednávky +Permission86=Posílejte objednávky zákazníků +Permission87=Zavřít objednávky zákazníků Permission88=Storno objednávky odběratelů Permission89=Odstranit objednávky odběratelů Permission91=Číst sociální nebo fiskální daně a DPH @@ -712,19 +713,19 @@ Permission93=Odstranit sociální nebo fiskální daně a DPH Permission94=Export sociální nebo fiskální daně Permission95=Přečtěte si zprávy Permission101=Přečtěte si odesílání -Permission102=Vytvořte / upravujte odesílání +Permission102=Vytvořte/upravujte odesílání Permission104=Ověřte odesílání Permission106=Exportujte odesílání Permission109=Smazat odesílání Permission111=Přečtěte si finanční účty -Permission112=Vytvořit / upravit / smazat a porovnat transakce +Permission112=Vytvořit/upravit/smazat a porovnat transakce Permission113=Nastavení finančních účtů (vytváření, správa kategorií) Permission114=Sladění transakcí Permission115=Exportní transakce a výpisy z účtu Permission116=Převody mezi účty Permission117=Správa odesílání kontrol Permission121=Přečtěte si subjekty spojené s uživatelem -Permission122=Vytvořit / modifikovat subjekty spojené s uživateli +Permission122=Vytvořit/modifikovat subjekty spojené s uživateli Permission125=Smazat subjekty propojené s uživatelem Permission126=Export subjektu Permission141=Přečtěte si všechny projekty a úkoly (také soukromé projekty, pro které nejsem kontakt) @@ -742,198 +743,198 @@ Permission163=Aktivace služby / předplatné smlouvy Permission164=Zakázat servisní / předplatné smlouvy Permission165=Smazat zakázky / předplatné Permission167=Export zakázky -Permission171=Číst výlety a výdaje (vy a vaše podřízené) -Permission172=Vytvořit / upravit výlety a výdaje -Permission173=Odstranění výlety a výdaje -Permission174=Přečtěte si všechny výlety a výdaje -Permission178=Export výlety a výdaje +Permission171=Přečtěte si cesty a výdaje (vaše a vašich podřízených) +Permission172=Vytvářejte/upravujte cesty a výdaje +Permission173=Odstraňte cesty a výdaje +Permission174=Přečtěte si všechny cesty a výdaje +Permission178=Export cesty a výdaje Permission180=Přečtěte si dodavatele Permission181=Přečtěte si objednávky -Permission182=Vytvořte / upravte objednávky +Permission182=Vytvářejte/upravujte objednávky Permission183=Ověřte objednávky Permission184=Schválit objednávky Permission185=Objednejte nebo zrušte objednávky Permission186=Příjem objednávek Permission187=Uzavřete objednávky Permission188=Zrušit objednávky -Permission192=Vytvořte linky -Permission193=Zrušit linky +Permission192=Vytvářejte řádky +Permission193=Zrušit řádky Permission194=Přečtěte si řádky šířky pásma Permission202=Vytvořte přípojek ADSL Permission203=Objednat připojení objednávky -Permission204=Objednat spoje +Permission204=Objednejte si připojení Permission205=Správa připojení Permission206=Přečtěte si připojení -Permission211=Přečtěte si telefonie +Permission211=Přečtěte si telefonování Permission212=Objednací Permission213=Aktivace linku Permission214=Nastavení telefonie Permission215=Nastavení poskytovatele Permission221=Přečtěte si e-mail -Permission222=Vytvořit / upravit emailings (téma, příjemci ...) -Permission223=Ověřit emailings (umožňuje odesílání) -Permission229=Odstranit emailings -Permission237=Zobrazit příjemců a informace -Permission238=Ruční odeslání zásilky -Permission239=Smažte zásilky po validaci nebo zaslat -Permission241=Přečtěte kategorií -Permission242=Vytvořit / upravit kategorie -Permission243=Odstranění kategorie +Permission222=Vytvářejte/upravujte e-maily (téma, příjemci ...) +Permission223=Ověření e-mailů (umožňuje odesílání) +Permission229=Odstraňte e-maily +Permission237=Zobrazit příjemce a informace +Permission238=Ručně posílat e-maily +Permission239=Odstranit e-maily po ověření nebo odeslány +Permission241=Číst kategorie +Permission242=Vytvářejte/upravujte kategorie +Permission243=Smazat kategorie Permission244=Viz obsah skrytých kategorií Permission251=Přečtěte si další uživatele a skupiny PermissionAdvanced251=Přečtěte si další uživatele Permission252=Přečtěte oprávnění ostatních uživatelů -Permission253=Vytvořit / upravit ostatní uživatele, skupiny a oprávnění -PermissionAdvanced253=Vytvořit / upravit interní / externí uživatele a oprávnění -Permission254=Vytvořit / upravit externí uživatelé pouze -Permission255=Upravit ostatním uživatelům heslo -Permission256=Odstranit nebo zakázat ostatním uživatelům +Permission253=Vytvářejte/upravujte ostatní uživatele, skupiny a oprávnění +PermissionAdvanced253=Vytvářejte/upravujte interní/externí uživatele a oprávnění +Permission254=Vytvářejte/upravujte pouze externí uživatele +Permission255=Upravit heslo ostatních uživatelů +Permission256=Odstraňte nebo deaktivujte ostatní uživatele Permission262=Rozšiřte přístup ke všem subjektům (nejen subjektům, pro které je tento uživatel prodejním zástupcem).
Neúčinné pro externí uživatele (vždy se omezují na návrhy, objednávky, faktury, smlouvy atd.).
Není efektivní pro projekty (pouze pravidla týkající se projektových oprávnění, viditelnosti a přiřazení záležitostí). Permission271=Přečtěte CA Permission272=Přečtěte si faktury Permission273=Vydání faktury Permission281=Přečtěte si kontakty -Permission282=Vytvořit / upravit kontakty +Permission282=Vytvářejte/upravujte kontakty Permission283=Odstranění kontaktů Permission286=Export kontaktů Permission291=Přečtěte tarify Permission292=Nastavení oprávnění na sazby Permission293=Upravte zákaznické tarify Permission300=Čtěte čárové kódy -Permission301=Vytvářet / upravovat čárové kódy -Permission302=Smazat čárové kódy +Permission301=Vytvářejte/upravujte čárové kódy +Permission302=Odstraňte čárové kódy Permission311=Přečtěte služby -Permission312=Přiřadit službu / předplatné smlouvu +Permission312=Přiřadit službu/předplatné ke smlouvě Permission331=Přečtěte si záložky -Permission332=Vytvořit / upravit záložky -Permission333=Odstranění záložky +Permission332=Vytvářejte/upravujte záložky +Permission333=Odstranit záložky Permission341=Přečtěte si své vlastní oprávnění -Permission342=Vytvořit / upravit vlastní informace o uživateli +Permission342=Vytvářejte/upravujte své vlastní uživatelské informace Permission343=Změnit vlastní heslo Permission344=Upravit vlastní oprávnění -Permission351=Přečtěte skupiny -Permission352=Přečtěte skupiny oprávnění -Permission353=Vytvořit / upravit skupin -Permission354=Odstranit nebo zakázat skupin +Permission351=Číst skupiny +Permission352=Oprávnění ke čtení skupin +Permission353=Vytvářejte/upravujte skupiny +Permission354=Odstraňte nebo zakažte skupiny Permission358=Export uživatelů -Permission401=Přečtěte slevy -Permission402=Vytvořit / upravit slevy -Permission403=Ověřit slevy -Permission404=Odstranit slevy +Permission401=Přečtěte si slevy +Permission402=Vytvářejte/upravujte slevy +Permission403=Ověřte slevy +Permission404=Smazat slevy Permission430=Použijte ladicí panel -Permission511=Přečtěte si platy -Permission512=Vytvořte / upravte platby platů -Permission514=Smazat platy -Permission517=Export výplat -Permission520=Přečtěte si Úvěry -Permission522=Vytvořit/upravit úvěry -Permission524=Smazat úvěry +Permission511=Přečtěte si platby mezd +Permission512=Vytvářejte/upravujte platby mezd +Permission514=Odstranit platby mezd +Permission517=Export mezd +Permission520=Přečtěte si půjčky +Permission522=Vytvářejte/upravujte půjčky +Permission524=Smazat půjčky Permission525=Přístup na úvěrovou kalkulačku -Permission527=Export úvěrů -Permission531=Přečtěte služby -Permission532=Vytvořit / upravit služby -Permission534=Odstranit služby -Permission536=Viz / správa skryté služby +Permission527=Export půjček +Permission531=Přečtěte si služby +Permission532=Vytvářejte/upravujte služby +Permission534=Smazat služby +Permission536=Zobrazení/správa skrytých služeb Permission538=Export služeb Permission650=Přečtěte si kusovníky -Permission651=Vytvářejte / aktualizujte účty materiálů +Permission651=Vytvářejte/aktualizujte kusovníky Permission652=Smazat kusovníky Permission701=Přečtěte si dary -Permission702=Vytvořit / upravit dary +Permission702=Vytvářejte/upravujte dary Permission703=Odstranit dary -Permission771=Číst zprávy o výdajích (vy a vaši podřízení) -Permission772=Vytvořit/upravit vyúčtování výdajů -Permission773=Smazat zprávy o výdajích -Permission774=Přečtěte si všechny zprávy o výdajích (a to i pro uživatele, ne podřízení) -Permission775=Schválit vyúčtování výdajů +Permission771=Přečtěte si přehledy výdajů (vaše a vaše podřízené) +Permission772=Vytvářejte/upravujte výkazy výdajů +Permission773=Odstraňte přehledy výdajů +Permission774=Přečtěte si všechny přehledy výdajů (i pro uživatele, kteří nejsou podřízenými) +Permission775=Schvalovat zprávy o výdajích Permission776=Zaplatit vyúčtování výdajů Permission779=Export výkazů o výdajích Permission1001=Přečtěte si zásoby -Permission1002=Vytvoření/úprava skladišť -Permission1003=Odstranění skladišť -Permission1004=Přečtěte skladové pohyby -Permission1005=Vytvořit / upravit skladové pohyby +Permission1002=Vytvářejte/upravujte sklady +Permission1003=Odstranit sklady +Permission1004=Čtěte pohyby akcií +Permission1005=Vytvářejte/upravujte pohyby akcií Permission1101=Přečíst potvrzení o doručení -Permission1102=Vytvářejte / upravujte potvrzení o doručení +Permission1102=Vytvářejte/upravujte potvrzení o doručení Permission1104=Ověřte potvrzení o doručení Permission1109=Smažte potvrzení o doručení Permission1121=Přečtěte si návrhy dodavatelů -Permission1122=Vytvářejte / upravujte návrhy dodavatelů -Permission1123=Validate supplier proposals -Permission1124=Send supplier proposals -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests +Permission1122=Vytvářejte/upravujte návrhy dodavatelů +Permission1123=Ověřte návrhy dodavatelů +Permission1124=Pošlete návrhy dodavatelů +Permission1125=Smazat návrhy dodavatelů +Permission1126=Zavřít požadavky na cenu dodavatele Permission1181=Přečtěte si dodavatele -Permission1182=Přečtěte si objednávky -Permission1183=Vytvořte / upravte objednávky -Permission1184=Ověřte objednávky -Permission1185=Schválit objednávky -Permission1186=Objednejte objednávky -Permission1187=Potvrďte přijetí objednávek -Permission1188=Smazat objednávky +Permission1182=Přečtěte si nákupní objednávky +Permission1183=Vytvářejte/upravujte nákupní objednávky +Permission1184=Ověřte nákupní objednávky +Permission1185=Schvalování nákupních objednávek +Permission1186=Objednejte nákupní objednávky +Permission1187=Potvrďte přijetí nákupních objednávek +Permission1188=Smazat nákupní objednávky Permission1190=Schvalujte nákupní objednávky (druhé schválení) Permission1201=Získejte výsledek exportu -Permission1202=Vytvořit / Upravit vývoz -Permission1231=Přečtěte si dodavatelské faktury -Permission1232=Vytvoření / úprava faktur dodavatelů +Permission1202=Vytvořit/upravit export +Permission1231=Přečtěte si faktury dodavatele +Permission1232=Vytvářejte/upravujte faktury dodavatele Permission1233=Ověřte faktury dodavatele -Permission1234=Smazat faktury dodavatele +Permission1234=Odstranit faktury dodavatele Permission1235=Zasílejte faktury dodavatele e-mailem -Permission1236=Exportujte faktury, atributy a platby dodavatelem -Permission1237=Export objednávky a jejich podrobnosti -Permission1251=Spustit Hmotné dovozy externích dat do databáze (načítání dat) -Permission1321=Export zákazníků faktury, atributy a platby -Permission1322=Znovu otevřít placené účet -Permission1421=Exportní zakázky a atributy prodeje -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) -Permission2411=Přečtěte akce (události nebo úkoly) a další -Permission2412=Vytvořit / upravit akce (události nebo úkoly) dalších -Permission2413=Odstranit akce (události nebo úkoly) dalších -Permission2414=Export akce / úkoly druhých -Permission2501=Čtení / Dokumenty ke stažení +Permission1236=Exportujte dodavatelské faktury, atributy a platby +Permission1237=Export objednávek a jejich detailů +Permission1251=Spuštění hromadných importů externích dat do databáze (zatížení dat) +Permission1321=Exportujte zákaznické faktury, atributy a platby +Permission1322=Znovu otevřete placený účet +Permission1421=Export prodejních objednávek a atributů +Permission2401=Čtení akcí (událostí nebo úkolů) spojených s jeho uživatelským účtem (pokud je vlastníkem události nebo je právě přiřazeno) +Permission2402=Vytvářejte / upravujte akce (události nebo úkoly) spojené s jeho uživatelským účtem (pokud je vlastníkem události) +Permission2403=Odstranit akce (události nebo úkoly) spojené s jeho uživatelským účtem (pokud je vlastníkem události) +Permission2411=Čtěte akce (události nebo úkoly) ostatních +Permission2412=Vytvářejte/upravujte akce (události nebo úkoly) ostatních +Permission2413=Odstraňte akce (události nebo úkoly) ostatních +Permission2414=Export akcí/úkolů ostatních +Permission2501=Čtení/stahování dokumentů Permission2502=Dokumenty ke stažení -Permission2503=Vložte nebo odstraňovat dokumenty -Permission2515=Nastavení adresáře dokumenty -Permission2801=Pomocí FTP klienta v režimu čtení (prohlížet a stahovat pouze) -Permission2802=Pomocí FTP klienta v režimu zápisu (odstranit nebo vkládat) -Permission3200=Read archived events and fingerprints -Permission4001=See employees -Permission4002=Create employees -Permission4003=Delete employees -Permission4004=Export employees -Permission10001=Read website content -Permission10002=Create/modify website content (html and javascript content) -Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. -Permission10005=Delete website content +Permission2503=Odesílání nebo mazání dokumentů +Permission2515=Nastavení adresářů dokumentů +Permission2801=Používejte FTP klienta v režimu čtení (pouze procházení a stahování) +Permission2802=Použití FTP klienta v režimu zápisu (mazání nebo odesílání souborů) +Permission3200=Přečtěte si archivované události a otisky prstů +Permission4001=Viz zaměstnanci +Permission4002=Vytvářejte zaměstnance +Permission4003=Smazat zaměstnance +Permission4004=Exportovat zaměstnance +Permission10001=Přečtěte si obsah webových stránek +Permission10002=Vytvářejte/upravujte obsah webových stránek (html a javascript) +Permission10003=Vytvářejte / upravujte obsah webových stránek (dynamický php kód). Nebezpečné, musí být vyhrazeno omezeným vývojářům. +Permission10005=Smazat obsah webových stránek Permission20001=Přečtěte si žádosti o dovolenou (vaše dovolená a vaše podřízené) Permission20002=Vytvořte / upravte své žádosti o dovolenou (vaše dovolená a vaše podřízené) Permission20003=Smazat žádosti o dovolenou Permission20004=Přečtěte si všechny požadavky na dovolenou (i u uživatelů, kteří nejsou podřízeni) Permission20005=Vytvářet / upravovat požadavky na dovolenou pro všechny (i pro uživatele, kteří nejsou podřízeni) Permission20006=Žádosti admin opuštěné požadavky (setup a aktualizovat bilance) -Permission20007=Approve leave requests +Permission20007=Schvalovat žádosti o dovolenou Permission23001=Čtení naplánovaných úloh Permission23002=Vytvoření/aktualizace naplánované úlohy Permission23003=Smazat naplánovanou úlohu Permission23004=Provést naplánovanou úlohu Permission50101=Použijte prodejní místo -Permission50201=Přečtěte transakce -Permission50202=Importní operace -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 +Permission50201=Přečíst transakce +Permission50202=Import transakcí +Permission50401=Svázat produkty a faktury účetními účty +Permission50411=Čtení operací v knize +Permission50412=Zápis/editace operací v knize +Permission50414=Odstranit operace v knize +Permission50415=Smažte všechny operace podle roku a deníku v knize +Permission50418=Exportní operace knihy +Permission50420=Report a export reportů (obrat, zůstatek, deníky, účetní knihy) +Permission50430=Definujte fiskální období. Ověřte transakce a uzavřete fiskální období. +Permission50440=Spravujte účetní osnovu, nastavení účetnictví +Permission51001=Přečtěte si aktiva +Permission51002=Vytvářejte/aktualizujte podklady +Permission51003=Odstraňte aktiva +Permission51005=Nastavení typů aktiv Permission54001=Vytisknout Permission55001=Přečtěte si průzkumy Permission55002=Vytvořit/upravit ankety @@ -941,9 +942,9 @@ Permission59001=Přečtěte si obchodní marže Permission59002=Definovat obchodní marže Permission59003=Přečtěte si všechny marže uživatele Permission63001=číst zdroje -Permission63002=Vytvořit / upravit zdroje +Permission63002=Vytvořit/upravit zdroje Permission63003=Odstranit zdroje -Permission63004=Propojení zdroje s Plánem akcí +Permission63004=Propojte zdroje s událostmi programu DictionaryCompanyType=Typy subjektů DictionaryCompanyJuridicalType=Právní formy subjektů DictionaryProspectLevel=Potenciální cíl @@ -951,7 +952,7 @@ DictionaryCanton=Stát/Okres DictionaryRegion=Regiony DictionaryCountry=Země DictionaryCurrency=Měny -DictionaryCivility=Honorific titles +DictionaryCivility=Čestné tituly DictionaryActions=Typ agendy událostí DictionarySocialContributions=Typy sociální nebo fiskální daně DictionaryVAT=Sazby DPH nebo daň z prodeje @@ -992,7 +993,7 @@ VATIsNotUsedDesc=Ve výchozím nastavení je navrhovaná daň z prodeje 0, kter VATIsUsedExampleFR=Ve Francii to znamená, že společnosti nebo organizace mají skutečný fiskální systém (zjednodušený reálný nebo normální reálný). Systém, v němž je uvedena DPH. VATIsNotUsedExampleFR=Ve Francii se jedná o sdružení, která jsou prohlášena za nepodléhající daň z prodeje, nebo společnosti, organizace nebo svobodné profese, které si vybraly daňový systém pro mikropodniky (daně z prodeje ve franchise) a zaplatili daň z prodeje bez daně z prodeje bez prohlášení o daních z prodeje. Tato volba zobrazí na fakturách odkaz "Neuplatňuje se daň z prodeje - art-293B CGI". ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Druh daně z obratu LTRate=Rychlost LocalTax1IsNotUsed=Nepoužívejte druhou daň LocalTax1IsUsedDesc=Použijte druhý typ daně (jiný než první) @@ -1016,29 +1017,29 @@ LocalTax2IsUsedDescES=Kurz IRPF ve výchozím nastavení při vytváření prosp LocalTax2IsNotUsedDescES=Standardně navrhovaný IRPF je 0. Konec pravidla. LocalTax2IsUsedExampleES=Ve Španělsku, na volné noze a nezávislí odborníci, kteří poskytují služby a firmy, kteří se rozhodli daňového systému modulů. LocalTax2IsNotUsedExampleES=Ve Španělsku jsou podniky, které nepodléhají daňovému systému modulů. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +RevenueStampDesc=„Daňové razítko“ nebo „daňové razítko“ je pevná daň, kterou zaplatíte za fakturu (nezávisí na výši faktury). Může to být také procentní daň, ale použití druhého nebo třetího typu daně je pro procentní daně lepší, protože kolky neposkytují žádné zprávy. Tento typ daně používá jen několik zemí. +UseRevenueStamp=Použijte daňové razítko +UseRevenueStampExample=Hodnota daňového razítka je standardně definována do nastavení slovníků (%s - %s - %s) CalcLocaltax=Zprávy o místních daních CalcLocaltax1=Prodej - Nákupy CalcLocaltax1Desc=Přehledy místních daní jsou vypočítávány s rozdílem mezi místními nákupy a místními nákupy CalcLocaltax2=Nákupy CalcLocaltax2Desc=Přehledy místních daní jsou součtem nákupů místních taxíků CalcLocaltax3=Odbyt -CalcLocaltax3Desc=Přehledy místních daní představují celkový prodej místních tax -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax -LabelUsedByDefault=Štítky použité ve výchozím nastavení, pokud nelze najít překlad pro kód +CalcLocaltax3Desc=Přehledy místních daní jsou součtem tržeb z místních daní +NoLocalTaxXForThisCountry=Podle nastavení daní (viz %s - %s - %s), vaše země nemusí takový typ daně používat +LabelUsedByDefault=Štítek používaný ve výchozím nastavení, pokud nelze najít žádný překlad pro kód LabelOnDocuments=Štítek na dokumenty -LabelOrTranslationKey=Klíč pro označení nebo překlad -ValueOfConstantKey=Value of a configuration constant +LabelOrTranslationKey=Popisek nebo překladový klíč +ValueOfConstantKey=Hodnota konfigurační konstanty NbOfDays=Počet dní AtEndOfMonth=Na konci měsíce -CurrentNext=Aktuální / Next +CurrentNext=Aktuální/Další Offset=Ofset AlwaysActive=Vždy aktivní Upgrade=Vylepšit -MenuUpgrade=Aktualizujte / prodloužit -AddExtensionThemeModuleOrOther=Nasazení / instalace externí aplikace / modulu +MenuUpgrade=Upgradujte/rozšířte +AddExtensionThemeModuleOrOther=Nasazení/instalace externí aplikace/modulu WebServer=Webový server DocumentRootServer=Kořenový adresář webového serveru DataRootServer=Adresář souboru dat @@ -1049,11 +1050,11 @@ OS=OS PhpWebLink=Web Php link Server=Server Database=Databáze -DatabaseServer=Databáze hostitele +DatabaseServer=Hostitel databáze DatabaseName=Název databáze DatabasePort=Port databáze -DatabaseUser=Databáze uživatel -DatabasePassword=Databáze heslo +DatabaseUser=Uživatel databáze +DatabasePassword=Heslo databáze Tables=Tabulky TableName=Název tabulky NbOfRecord=Počet záznamů @@ -1061,41 +1062,41 @@ Host=Server DriverType=Typ ovladače SummarySystem=Systém souhrn informací SummaryConst=Seznam všech nastavených parametrů Dolibarr -MenuCompanySetup=Společnost / Organizace +MenuCompanySetup=Společnost/Organizace DefaultMenuManager= Standardní správce nabídek -DefaultMenuSmartphoneManager=Správce nabídky Smartphone +DefaultMenuSmartphoneManager=Správce nabídek chytrých telefonů Skin=Skin téma -DefaultSkin=Default skin téma +DefaultSkin=Výchozí téma vzhledu MaxSizeList=Maximální délka seznamu DefaultMaxSizeList=Výchozí maximální délka pro seznamy DefaultMaxSizeShortList=Výchozí maximální délka pro krátké seznamy (tj. Pro zákaznické karty) MessageOfDay=Zpráva dne -MessageLogin=Přihlašovací stránka zprávu +MessageLogin=Zpráva přihlašovací stránky LoginPage=přihlašovací stránka BackgroundImageLogin=obrázek na pozadí PermanentLeftSearchForm=Permanentní vyhledávací formulář na levém menu DefaultLanguage=Základní jazyk EnableMultilangInterface=Povolit vícejazyčnou podporu -EnableShowLogo=Show the company logo in the menu -CompanyInfo=Společnost / Organizace -CompanyIds=Identity společnosti / organizace +EnableShowLogo=Zobrazte v nabídce logo společnosti +CompanyInfo=Společnost/Organizace +CompanyIds=Identita společnosti/organizace CompanyName=Název CompanyAddress=Adresa -CompanyZip=Zip +CompanyZip=Zip - PSČ CompanyTown=Město CompanyCountry=Země CompanyCurrency=Hlavní měna CompanyObject=Předmět společnosti -IDCountry=ID country +IDCountry=ID země Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -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=Nenaznačují +LogoDesc=Hlavní logo společnosti. Bude použito do generovaných dokumentů (PDF, ...) +LogoSquarred=Logo (hranaté) +LogoSquarredDesc=Musí to být čtvercová ikona (width = height). Toto logo bude použito jako oblíbená ikona nebo podle potřeby pro horní lištu nabídky (pokud není zakázáno v nastavení displeje). +DoNotSuggestPaymentMode=Nenavrhujte NoActiveBankAccountDefined=Není definován žádný aktivní bankovní účet OwnerOfBankAccount=Majitel %s bankovních účtů BankModuleNotActive=Modul bankovních účtů není povolen -ShowBugTrackLink=Ukázat odkaz " %s " +ShowBugTrackLink=Zobrazit odkaz " %s " 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. @@ -1108,17 +1109,17 @@ Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Návrh nebyl uzavřen Delays_MAIN_DELAY_PROPALS_TO_BILL=Návrh nebyl účtován Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Služba k aktivaci Delays_MAIN_DELAY_RUNNING_SERVICES=Platnost služby uplynula -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Neplacená prodejní faktura -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Neplacená zákaznická faktura +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Neplacená faktura dodavatele +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Neplacená faktura zákazníka Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Nevyřízené zúčtování bank Delays_MAIN_DELAY_MEMBERS=Opožděný členský poplatek Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Zkontrolujte, zda není vklad hotový Delays_MAIN_DELAY_EXPENSEREPORTS=Zpráva o výdajích ke schválení -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve +Delays_MAIN_DELAY_HOLIDAYS=Nechte žádosti o schválení SetupDescription1=Než začnete používat Dolibarr, je třeba definovat některé počáteční parametry a povolit / konfigurovat moduly. SetupDescription2=Následující dvě části jsou povinné (první dvě položky v nabídce Nastavení): -SetupDescription3=%s -> %s

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

This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. +SetupDescription3= %s -> %s

Základní parametry používané k přizpůsobení výchozího chování aplikace. (například pro funkce související se zemí) +SetupDescription4=  %s -> %s

Tento software je sada mnoha modulů / aplikací. Moduly související s vašimi potřebami musí být povoleny a nakonfigurovány. Po aktivaci těchto modulů se zobrazí položky nabídky. SetupDescription5=Ostatní položky nabídky nastavení řídí volitelné parametry. LogEvents=Události bezpečnostního auditu Audit=Audit @@ -1131,20 +1132,21 @@ InfoPHP=o PHP InfoPerf=o výkonech BrowserName=Název prohlížeče BrowserOS=Prohlížeč OS -ListOfSecurityEvents=Seznam bezpečnostních událostí Dolibarr -SecurityEventsPurged=Bezpečnostní události byly vyčištěny +ListOfSecurityEvents=Seznam bezpečnostních událostí Dolibarru +SecurityEventsPurged=Bezpečnostní události byly vymazány LogEventDesc=Povolte protokolování pro konkrétní události zabezpečení. Administrátoři přihlašují pomocí menu %s - %s . Upozornění: Tato funkce může generovat velké množství dat v databázi. AreaForAdminOnly=Parametry nastavení mohou být nastaveny pouze uživateli administrátora . SystemInfoDesc=Systémové informace jsou různé technické informace, které získáte pouze v režimu pro čtení a viditelné pouze pro správce. -SystemAreaForAdminOnly=Tato oblast je k dispozici pouze uživatelům správce. Uživatelské oprávnění Dolibarr nemůže toto omezení měnit. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. -AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. -AccountantFileNumber=Accountant code +SystemAreaForAdminOnly=Tato oblast je k dispozici pouze uživatelům správce. Oprávnění uživatele Dolibarr nemůže toto omezení změnit. +CompanyFundationDesc=Upravte informace o své společnosti / organizaci. Po dokončení klikněte na tlačítko „%s“ v dolní části stránky. +AccountantDesc=Pokud máte externího účetního / účetního, můžete zde upravit jeho informace. +AccountantFileNumber=Účetní kód DisplayDesc=Parametry ovlivňující vzhled a chování nástroje Dolibarr lze zde změnit. -AvailableModules=Dostupné aplikace / moduly +AvailableModules=Dostupné aplikace/moduly ToActivateModule=Chcete-li aktivovat moduly, přejděte na oblast nastavení (Home-> Setup-> Modules). SessionTimeOut=Časový limit pro relaci SessionExplanation=Toto číslo zaručuje, že relace nikdy nezanikne před tímto zpožděním, pokud čistič relací provádí interní čistič relací PHP (a nic jiného). Interní čistič relací PHP nezaručuje, že relace vyprší po tomto zpoždění. Platí po tomto zpoždění a po spuštění čističe relací, takže každý %s / %s přistupuje, ale pouze při přístupu z jiných relací (pokud je hodnota 0, znamená to, že zúčtování relace probíhá pouze externím proces).
Poznámka: Některé servery s mechanismem externího čištění relací (cron pod debian, ubuntu ...) mohou být relace zničeny po uplynutí doby definované externím nastavením bez ohledu na zadanou hodnotu. +SessionsPurgedByExternalSystem=Zdá se, že relace na tomto serveru jsou očištěny externím mechanismem (cron pod debianem, ubuntu ...), pravděpodobně každých %s sekund (= hodnota parametru session.gc_maxlifetime), takže změna hodnoty zde nemá žádný vliv. Musíte požádat správce serveru o změnu zpoždění relace. TriggersAvailable=Dostupné spouštěče TriggersDesc=Spouštěče jsou soubory, které upraví chování pracovního toku Dolibarr jednou zkopírované do adresáře htdocs / core / triggers . Realizují nové akce, aktivované na událostech Dolibarr (nová společnost, fakturační validace, ...). TriggerDisabledByName=Trigger v tomto souboru jsou zakázána-NoRun přípona ve svém názvu. @@ -1153,7 +1155,7 @@ TriggerAlwaysActive=Spouštěče v tomto souboru jsou vždy aktivní, bez ohledu TriggerActiveAsModuleActive=Spouštěče v tomto souboru jsou aktivní, protože je aktivován modul %s . GeneratedPasswordDesc=Zvolte metodu, která má být použita pro automatické generování hesel. DictionaryDesc=Vložit všechny referenční data. Můžete přidat své hodnoty na výchozí hodnoty. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. +ConstDesc=Tato stránka umožňuje upravit (přepsat) parametry, které nejsou dostupné na jiných stránkách. Většinou jsou to vyhrazené parametry pouze pro vývojáře / pokročilé odstraňování problémů. MiscellaneousDesc=Všechny ostatní parametry spojené s bezpečností definujete zde. LimitsSetup=Limity / Přesné nastavení LimitsDesc=Zde můžete definovat limity, přesnosti a optimalizace, které Dolibarr používá @@ -1168,7 +1170,7 @@ NoEventOrNoAuditSetup=Nebyla zaznamenána žádná událost zabezpečení. To je NoEventFoundWithCriteria=Pro tato kritéria vyhledávání nebyla nalezena žádná bezpečnostní událost. SeeLocalSendMailSetup=Viz místní nastavení služby sendmail BackupDesc=A kompletní zálohování instalace Dolibarr vyžaduje dva kroky. -BackupDesc2=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=Zálohujte obsah adresáře „documents“ ( %s ) obsahující všechny nahrané a vygenerované soubory. To bude také zahrnovat všechny soubory výpisu vygenerované v kroku 1. Tato operace může trvat několik minut. BackupDesc3=Zálohujte strukturu a obsah své databáze ( %s ) do souboru výpisu. K tomu můžete použít následující pomocníka. BackupDescX=Archivovaný adresář by měl být uložen na bezpečném místě. BackupDescY=Generovaný soubor výpisu by měl být uložen na bezpečném místě. @@ -1179,7 +1181,7 @@ RestoreDesc3=Obnovte databázovou strukturu a data ze souboru zálohování do d RestoreMySQL=MySQL import ForcedToByAModule= Toto pravidlo je nuceno na %s aktivovaným modulem PreviousDumpFiles=Existující záložní soubory -PreviousArchiveFiles=Existing archive files +PreviousArchiveFiles=Existující archivní soubory WeekStartOnDay=První den v týdnu RunningUpdateProcessMayBeRequired=Spuštění procesu upgradu se zdá být požadováno (verze programu %s se liší od verze databáze %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Tento příkaz musíte spustit z příkazového řádku po přihlášení do shellu s uživatelem %s nebo musíte přidat add-W na konci příkazového řádku pro zadání %s hesla. @@ -1219,7 +1221,7 @@ ExtraFieldsSupplierOrders=Doplňkové atributy (objednávky) ExtraFieldsSupplierInvoices=Doplňkové atributy (faktury) ExtraFieldsProject=Doplňkové atributy (projekty) ExtraFieldsProjectTask=Doplňkové atributy (úkoly) -ExtraFieldsSalaries=Complementary attributes (salaries) +ExtraFieldsSalaries=Doplňkové atributy (platy) ExtraFieldHasWrongValue=Atribut %s má nesprávnou hodnotu. AlphaNumOnlyLowerCharsAndNoSpace=pouze alfanumerické znaky s malými písmeny bez mezer SendmailOptionNotComplete=Upozornění, že v některých systémech Linux můžete odesílat e-maily z vašeho e-mailu, nastavení spuštění sendmail musí obsahovat volbu -ba (parametr mail.force_extra_parameters do souboru php.ini). Pokud někteří příjemci nikdy neobdrží e-maily, zkuste upravit tento parametr PHP mail.force_extra_parameters = -ba). @@ -1236,7 +1238,7 @@ TranslationString=Překladový řetězec CurrentTranslationString=Aktuální překladový řetězec WarningAtLeastKeyOrTranslationRequired=Kritéria vyhledávání jsou požadována alespoň pro klíčový nebo překladový řetězec NewTranslationStringToShow=Nový překladový řetězec se zobrazí -OriginalValueWas=Původní překlad je přepsán. Původní hodnota byla:
%s +OriginalValueWas=Původní překlad je přepsán. Původní hodnota byla:

%s TransKeyWithoutOriginalValue=Vynutili jste nový překlad překladového klíče " %s ", který neexistuje v žádných jazykových souborech TotalNumberOfActivatedModules=Aktivní aplikace / moduly: %s / %s YouMustEnableOneModule=Musíte povolit alespoň jeden modul @@ -1247,23 +1249,24 @@ SuhosinSessionEncrypt=Session storage šifrované Suhosinem ConditionIsCurrently=Podmínkou je v současné době %s YouUseBestDriver=Používáte ovladač %s, který je v současné době nejlepší ovladač. YouDoNotUseBestDriver=Používáte ovladač %s, ale doporučuje se ovladač %s. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. +NbOfObjectIsLowerThanNoPb=V databázi máte pouze %s %s. To nevyžaduje žádnou zvláštní optimalizaci. SearchOptim=Optimalizace pro vyhledávače -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You should add the constant %s to 1 in Home-Setup-Other. Limit the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. -YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to 1 in Home-Setup-Other. +YouHaveXObjectUseSearchOptim=V databázi máte %s %s. Konstantu %s byste měli přidat k 1 v Home-Setup-Other. Omezte vyhledávání na začátek řetězců, což umožňuje databázi používat indexy a měli byste získat okamžitou odpověď. +YouHaveXObjectAndSearchOptimOn=Máte %s %s v databázi a konstanta %s je nastavena na 1 v Home-Setup-Other. BrowserIsOK=Používáte webový prohlížeč %s. Tento prohlížeč je v pořádku pro zabezpečení a výkon. BrowserIsKO=Používáte webový prohlížeč %s. Tento prohlížeč je znám jako špatná volba pro zabezpečení, výkon a spolehlivost. Doporučujeme používat prohlížeče Firefox, Chrome, Opera nebo Safari. -PHPModuleLoaded=PHP component %s is loaded -PreloadOPCode=Preloaded OPCode is used +PHPModuleLoaded=Je načtena komponenta PHP %s +PreloadOPCode=Používá se předinstalovaný OPCode AddRefInList=Zobrazit číslo zákazníka / dodavatele seznam informací (vyberte seznam nebo kombinace) a většinu hypertextových odkazů.
Zobrazí se třetí strany s názvem formátu "CC12345 - SC45678 - The Big Company corp". místo "The Big Company corp". AddAdressInList=Zobrazte seznam informací o adresách zákazníků / prodejců (vyberte seznam nebo kombinace)
Subjekty se objeví ve formátu "Big Company Corp. - 21 skokové ulici 123456 Big City - USA" namísto "The Big Company corp". AskForPreferredShippingMethod=Požádejte o preferovanou způsob přepravy pro subjekty. FieldEdition=Editace položky %s FillThisOnlyIfRequired=Příklad: +2 (vyplňte pouze v případě, že se vyskytly problémy s posunem časových pásem) GetBarCode=Získat čárový kód -NumberingModules=Numbering models +NumberingModules=Modely číslování +DocumentModules=Modely dokumentů ##### Module password generation -PasswordGenerationStandard=Vrátit heslo vygenerované podle interního algoritmu Dolibarr: 8 znaků obsahujících sdílené čísla a znaky malými písmeny. +PasswordGenerationStandard=Vraťte heslo vygenerované podle interního algoritmu Dolibarr: 8 znaků obsahujících sdílená čísla a znaky malými písmeny. PasswordGenerationNone=Nevybírejte generované heslo. Heslo musí být zadáno ručně. PasswordGenerationPerso=Vrátit hesla dle Vašeho osobně definované konfiguraci. SetupPerso=Podle konfigurace @@ -1273,9 +1276,9 @@ RuleForGeneratedPasswords=Pravidla pro generování a ověřování hesel DisableForgetPasswordLinkOnLogonPage=Na stránce Přihlášení nezobrazujte odkaz Zapomenuté heslo UsersSetup=Uživatelé modul nastavení UserMailRequired=K vytvoření nového uživatele potřebujete e-mail -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=Skrýt neaktivní uživatele ze všech seznamů uživatelů (nedoporučuje se: To může znamenat, že na některých stránkách nebudete moci filtrovat nebo prohledávat staré uživatele) +UsersDocModules=Šablony dokumentů pro dokumenty generované ze záznamu uživatele +GroupsDocModules=Šablony dokumentů pro dokumenty generované ze skupinového záznamu ##### HRM setup ##### HRMSetup=setup HRM Modul ##### Company setup ##### @@ -1284,7 +1287,7 @@ CompanyCodeChecker=Možnosti automatického generování kódů zákazníků / d AccountCodeManager=Možnosti pro automatické generování kódů zákaznického / dodavatelského účetnictví NotificationsDesc=E-mailová upozornění mohou být odeslána automaticky pro některé události Dolibarr.
Příjemci oznámení lze definovat: NotificationsDescUser=* na uživatele, jeden uživatel najednou. -NotificationsDescContact=* na kontakty subjektů (zákazníci nebo dodavatelé), jeden kontakt najednou. +NotificationsDescContact=* za kontakty subjektů (zákazníci nebo prodejci), jeden kontakt najednou. NotificationsDescGlobal=* nebo nastavením globálních e-mailových adres na této stránce nastavení. ModelModules=Šablony dokumentů DocumentModelOdt=Generování dokumentů z šablon OpenDocument (soubory ODT / .ODS z LibreOffice, OpenOffice, KOffice, TextEdit, ...) @@ -1303,11 +1306,11 @@ WebCalUrlForVCalExport=Export odkaz na %s formátu je k dispozici na nás ##### Invoices ##### BillsSetup=Nastavení modulu faktur BillsNumberingModule=Faktury a dobropisy číslování modelu -BillsPDFModules=Modely dokumentů faktur -BillsPDFModulesAccordindToInvoiceType=Modely dokladů faktur podle typu faktury +BillsPDFModules=Modely fakturačních dokumentů +BillsPDFModulesAccordindToInvoiceType=Modely fakturační dokumentace podle typu faktury PaymentsPDFModules=Vzory platebních dokumentů ForceInvoiceDate=Vynutit datum fakturace k datu ověření -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice +SuggestedPaymentModesIfNotDefinedInInvoice=Doporučený režim platby na faktuře ve výchozím nastavení, pokud není na faktuře definován SuggestPaymentByRIBOnAccount=Navrhněte platbu výběrem na účet SuggestPaymentByChequeToAddress=Navrhněte platbu šekem na FreeLegalTextOnInvoices=Volný text na fakturách @@ -1316,25 +1319,25 @@ PaymentsNumberingModule=Model číslování plateb SuppliersPayment=Platby dodavatele SupplierPaymentSetup=Nastavení plateb dodavatelů ##### Proposals ##### -PropalSetup=Nastavení modulů komerčních návrhů -ProposalsNumberingModules=Modelové modely číslování návrhů -ProposalsPDFModules=Komerční návrh doklady modely -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal -FreeLegalTextOnProposal=Volný text o obchodních návrhů -WatermarkOnDraftProposal=Vodoznak v návrhových komerčních návrzích (žádný není prázdný) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Zeptejte se na umístění bankovního účtu nabídky +PropalSetup=Nastavení modulu komerčních návrhů +ProposalsNumberingModules=Modely číslování komerčních nabídek +ProposalsPDFModules=Modely dokumentů komerčních návrhů +SuggestedPaymentModesIfNotDefinedInProposal=Režim navrhovaných plateb u návrhu ve výchozím nastavení, není-li v návrhu definován +FreeLegalTextOnProposal=Volný text o komerčních návrzích +WatermarkOnDraftProposal=Vodoznak na návrzích komerčních návrhů (žádný, je-li prázdný) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Požádejte o určení bankovního účtu ##### SupplierProposal ##### -SupplierProposalSetup=Cena požaduje nastavení modulu dodavatelů -SupplierProposalNumberingModules=Cenové modely pro dodavatele cenových požadavků -SupplierProposalPDFModules=Cena požaduje dodavatelé dokumenty modely +SupplierProposalSetup=Nastavení modulu dodavatelů požadavků na cenu +SupplierProposalNumberingModules=Cenové modely dodavatelů číslování +SupplierProposalPDFModules=Cenové požadavky dodavatelé doklady modely FreeLegalTextOnSupplierProposal=Volný text na žádosti o cenový dodavatele WatermarkOnDraftSupplierProposal=Vodoznak na předem požadovaných cenách dodavatelé (žádný není prázdný) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Požádejte o určení bankovního účtu žádosti o cenu -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Zadat zdroj datového skladu pro objednávku +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Požádejte o skladový zdroj ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Požádejte o umístění bankovního účtu objednávky ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sale order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Pokud není v objednávce definován režim doporučených plateb na prodejní objednávce OrdersSetup=Nastavení řízení nákupních objednávek OrdersNumberingModules=Objednávky číslování modelů OrdersModelModule=Objednat dokumenty modely @@ -1349,13 +1352,13 @@ FicheinterNumberingModules=Intervenční číslování modely TemplatePDFInterventions=Intervenční karet dokumenty modely WatermarkOnDraftInterventionCards=Vodoznak na dokumentech intervenčních karty (pokud žádný prázdný) ##### Contracts ##### -ContractsSetup=Nastavení modulu Zakázky/předplatné -ContractsNumberingModules=Zakázky číslování moduly -TemplatePDFContracts=Kontrakty dokumenty modely +ContractsSetup=Nastavení modulu smlouvy/předplatné +ContractsNumberingModules=Moduly číslování smluv +TemplatePDFContracts=Modely smluvních dokumentů FreeLegalTextOnContracts=Volný text na smlouvách -WatermarkOnDraftContractCards=Vodoznak o návrzích smluv (none-li prázdný) +WatermarkOnDraftContractCards=Vodoznak v návrhu smlouvy (žádný, je-li prázdný) ##### Members ##### -MembersSetup=Členové modul nastavení +MembersSetup=Nastavení modulu členů MemberMainOptions=Hlavní volby AdherentLoginRequired= Správa Přihlášení pro každého člena AdherentMailRequired=K vytvoření nového člena je třeba e-mail @@ -1402,7 +1405,7 @@ LDAPDnSynchroActiveExample=LDAP Dolibarr nebo Dolibarr k LDAP synchronizace LDAPDnContactActive=Synchronizace kontaktů LDAPDnContactActiveExample=Aktivní / deaktivujte synchronizace LDAPDnMemberActive=Synchronizace členů -LDAPDnMemberActiveExample=Aktivní / deaktivujte synchronizace +LDAPDnMemberActiveExample=Aktivovaná/neaktivní synchronizace LDAPDnMemberTypeActive=Synchronizace typů členů LDAPDnMemberTypeActiveExample=Aktivní / deaktivujte synchronizace LDAPContactDn=Dolibarr kontakty "DN @@ -1486,13 +1489,13 @@ LDAPFieldSidExample=Příklad: objectSID LDAPFieldEndLastSubscription=Datum ukončení předplatného LDAPFieldTitle=Pracovní pozice LDAPFieldTitleExample=Příklad: title -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix +LDAPFieldGroupid=ID skupiny +LDAPFieldGroupidExample=Příklad: gidnumber +LDAPFieldUserid=Uživatelské ID +LDAPFieldUseridExample=Příklad: uidnumber +LDAPFieldHomedirectory=Domovský adresář +LDAPFieldHomedirectoryExample=Příklad: domovský adresář +LDAPFieldHomedirectoryprefix=Předpona domovského adresáře LDAPSetupNotComplete=Nastavení LDAP není úplná (přejděte na záložku Ostatní) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Není k dispozici žádný administrátor nebo heslo. Přístup LDAP bude anonymní av režimu pouze pro čtení. LDAPDescContact=Tato stránka umožňuje definovat atributy LDAP název stromu LDAP pro každý údajům o kontaktech Dolibarr. @@ -1502,9 +1505,9 @@ LDAPDescMembers=Tato stránka umožňuje definovat atributy LDAP název stromu L LDAPDescMembersTypes=Tato stránka umožňuje definovat název LDAP atributů ve stromu LDAP pro každá data nalezená v typech členů Dolibarr. LDAPDescValues=Příkladové hodnoty jsou určeny pro OpenLDAP s následujícími načtenými schématy: core.schema, cosine.schema, inetorgperson.schema ). Pokud použijete tyto hodnoty a OpenLDAP, upravte konfigurační soubor LDAP slapd.conf tak, aby byly načteny všechny tyto schémata. ForANonAnonymousAccess=Pro ověřený přístup (pro přístup pro zápis například) -PerfDolibarr=Výkon Nastavení / optimalizace zpráva +PerfDolibarr=Zpráva o nastavení výkonu/optimalizaci YouMayFindPerfAdviceHere=Tato stránka obsahuje některé kontroly nebo rady týkající se výkonu. -NotInstalled=Není nainstalováno, takže váš server není tímto zpomalen. +NotInstalled=Není nainstalován, takže váš server tím nezpomalí. ApplicativeCache=Aplikační vyrovnávací paměť MemcachedNotAvailable=Žádná aplikační mezipaměť nebyla nalezena. Výkon můžete zvýšit instalací serveru mezipaměti Memcached a modulu, který je schopen používat tento vyrovnávací server.
Více informací zde http://wiki.dolibarr.org/index.php/Module_MemCached_EN .
Všimněte si, že mnoho poskytovatelů webhostingu neposkytuje takový mezipaměťový server. MemcachedModuleAvailableButNotSetup=Modul memcached pro nalezenou mezipaměť, ale nastavení modulu není dokončeno. @@ -1541,8 +1544,8 @@ UseSearchToSelectProduct=Počkejte, než stisknete klávesu před načtením obs SetDefaultBarcodeTypeProducts=Výchozí typ čárového kódu použít pro produkty SetDefaultBarcodeTypeThirdParties=Výchozí typ čárového kódu, který se používá pro subjekty UseUnits=Vymezují měrnou jednotku pro Množství v průběhu objednávky, návrh nebo faktura linky edition -ProductCodeChecker= Modul pro generování kódu produktu a přezkušování (výrobku nebo služby) -ProductOtherConf= Katalog / Konfigurace služby +ProductCodeChecker= Modul pro generování a kontrolu kódů produktu (produkt nebo služba) +ProductOtherConf= Konfigurace produktu/služby IsNotADir=není adresář! ##### Syslog ##### SyslogSetup=Nastavení modulu protokolů @@ -1564,7 +1567,7 @@ BarcodeSetup=Nastavení čárového kódu PaperFormatModule=Modul tiskového formátu BarcodeEncodeModule=Typ kódování čárového kódu CodeBarGenerator=Barcode Generator -ChooseABarCode=Žádný generátor nebyl definován +ChooseABarCode=Není definován žádný generátor FormatNotSupportedByGenerator=Formát není podporován tímto generátorem BarcodeDescEAN8=Čárový kód typu EAN8 BarcodeDescEAN13=Čárový kód typu EAN13 @@ -1574,7 +1577,7 @@ BarcodeDescC39=Čárový kód typu C39 BarcodeDescC128=Čárový kód typu C128 BarcodeDescDATAMATRIX=Čárový kód typu Datamatrix BarcodeDescQRCODE=Čárových kódů typu QR kódu -GenbarcodeLocation=Čárový kód generování nástroj pro příkazovou řádku (používaný vnitřním motorem u některých typů čárových kódů). Musí být v souladu s "genbarcode".
Například: / usr / local / bin / genbarcode +GenbarcodeLocation=Nástroj příkazového řádku pro generování čárových kódů (používaný interním motorem pro některé typy čárových kódů). Musí být kompatibilní s „genbarcode“.
Například: / usr / local / bin / genbarcode BarcodeInternalEngine=Vnitřní motor BarCodeNumberManager=Manažer automatického definování čísel čárových kódů ##### Prelevements ##### @@ -1591,7 +1594,7 @@ MailingEMailError=Vrátit e-mail (Chyby-do) pro e-maily s chybami MailingDelay=Sekund čekání po odeslání další zprávy ##### Notification ##### NotificationSetup=Nastavení e-mailového oznámení -NotificationEMailFrom=E-mail odesílatele (Od) pro e-maily zaslané modulem Oznámení +NotificationEMailFrom=E-mail odesílatele (od) pro e-maily odeslané modulem Oznámení FixedEmailTarget=Příjemce ##### Sendings ##### SendingsSetup=Nastavení modulu odeslání @@ -1607,14 +1610,14 @@ DeliveriesOrderAbility=Podpora produktů dodávky příjmy FreeLegalTextOnDeliveryReceipts=Volný text na potvrzení o doručení ##### FCKeditor ##### AdvancedEditor=Rozšířené editor -ActivateFCKeditor=Aktivace pokročilé editor pro: -FCKeditorForCompany=WYSIWIG vytvoření / edici prvky popisu a poznámka (s výjimkou výrobků / služeb) +ActivateFCKeditor=Aktivujte pokročilý editor pro: +FCKeditorForCompany=WYSIWIG tvorba/vydání popisů prvků a poznámek (kromě produktů/služeb) FCKeditorForProduct=WYSIWIG vytvoření / edice produktů / služeb popis a poznámky FCKeditorForProductDetails=WYSIWIG tvorba / edice produktů podrobností řádky pro všechny subjekty (návrhy, objednávky, faktury, atd.). Upozornění: Použití této možnosti v tomto případě není vážně doporučeno, protože může při vytváření souborů PDF vytvářet problémy se speciálními znaky a formátováním stránky. -FCKeditorForMailing= WYSIWIG vytvoření / edice pro hromadné eMailings (Nástroje-> e-mailem) +FCKeditorForMailing= WYSIWIG tvorba/vydání pro hromadné eMailings (Nástroje-> eMailing) FCKeditorForUserSignature=WYSIWIG vytvoření / edice uživatelského podpisu FCKeditorForMail=Vytvoření WYSIWIG / edition pro veškerou poštu (s výjimkou Nástroje-> e-mailem) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForTicket=WYSIWIG tvorba / vydání pro vstupenky ##### Stock ##### StockSetup=Konfigurace modulu Sklady IfYouUsePointOfSaleCheckModule=Používáte-li standardně dodávaný modul POS (POS) nebo externí modul, může toto nastavení vaše POS modul ignorovat. Většina POS modulů je standardně navržena tak, aby okamžitě vytvořila fakturu a snížila zásobu bez ohledu na možnosti zde. Pokud tedy při registraci prodeje z vašeho POS potřebujete nebo nemáte pokles akcií, zkontrolujte také nastavení POS modulu. @@ -1626,7 +1629,7 @@ NotTopTreeMenuPersonalized=Personalizované nabídky, které nejsou propojeny s NewMenu=Nová nabídka Menu=Výběr menu MenuHandler=Ovládání nabídek -MenuModule=Modul zdroje +MenuModule=Zdrojový modul HideUnauthorizedMenu= Skrýt neautorizovaná menu (šedá) DetailId=Id nabídka DetailMenuHandler=Ovládání nabídek, kde se má zobrazit nové menu @@ -1693,15 +1696,15 @@ CashDeskThirdPartyForSell=Výchozí generický subjekt, která má být použit CashDeskBankAccountForSell=Výchozí účet použít pro příjem plateb v hotovosti CashDeskBankAccountForCheque=Výchozí účet slouží k přijímání plateb šekem CashDeskBankAccountForCB=Výchozí účet použít pro příjem plateb prostřednictvím kreditní karty -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp +CashDeskBankAccountForSumup=Výchozí bankovní účet, který se používá k přijímání plateb prostřednictvím SumUp CashDeskDoNotDecreaseStock=Zakázat pokles akcií, pokud je prodej uskutečněn z prodejního místa (pokud je to "ne", u každého prodeje provedeného z POS se sníží akcie, a to bez ohledu na možnost nastavenou v modulu Akcie). CashDeskIdWareHouse=Vynutit a omezit sklad používat pro pokles zásob StockDecreaseForPointOfSaleDisabled=Snížení zásob z prodejního místa je zakázáno StockDecreaseForPointOfSaleDisabledbyBatch=Snižování zásob v POS není kompatibilní s modulem Serial / Lot management (aktuálně aktivní), takže pokles zásob je zakázán. CashDeskYouDidNotDisableStockDecease=Při prodeji z prodejního místa jste nezakázali pokles zásob. Proto je nutný sklad. -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) +CashDeskForceDecreaseStockLabel=Snížení zásob u dávkových produktů bylo vynuceno. +CashDeskForceDecreaseStockDesc=Nejprve se sníží o nejstarší data o jídle a prodeji. +CashDeskReaderKeyCodeForEnter=Klíčový kód pro „Enter“ definovaný ve čtečce čárových kódů (Příklad: 13) ##### Bookmark ##### BookmarkSetup=Záložka Nastavení modulu BookmarkDesc=Tento modul umožňuje spravovat záložky. Můžete také přidat odkazy na libovolné stránky Dolibarr nebo externí webové stránky v levém menu. @@ -1732,14 +1735,14 @@ ChequeReceiptsNumberingModule=Zkontrolujte číslovací modul příjmů MultiCompanySetup=Nastavení více firemních modulů ##### Suppliers ##### SuppliersSetup=Nastavení modulu dodavatele -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice +SuppliersCommandModel=Kompletní šablona objednávky +SuppliersCommandModelMuscadet=Kompletní šablona objednávky (stará implementace šablony Cornas) +SuppliersInvoiceModel=Kompletní šablona faktury dodavatele SuppliersInvoiceNumberingModel=Číslovací modely faktur dodavatelů -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +IfSetToYesDontForgetPermission=Pokud je nastavena na nenulovou hodnotu, nezapomeňte poskytnout oprávnění skupinám nebo uživatelům povoleným pro druhé schválení ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=Nastavení modulu GeoIP Maxmind -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
Examples:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb +PathToGeoIPMaxmindCountryDataFile=Cesta k souboru obsahujícímu Maxmind ip k překladu do země.
Příklady:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb NoteOnPathLocation=Všimněte si, že Vaše IP do souboru záznamu země musí být uvnitř adresáře si můžete přečíst PHP (PHP open_basedir Zkontrolujte nastavení a oprávnění souborového systému). YouCanDownloadFreeDatFileTo=Zde si můžete stáhnout zdarma demo verzi země GeoIP Maxmind soubor na %s. YouCanDownloadAdvancedDatFileTo=Můžete si také stáhnout úplnější verzi s aktualizací, ze země GeoIP Maxmind soubor na %s. @@ -1780,18 +1783,18 @@ ExpenseReportsRulesSetup=Nastavení výkazu výdajů modulu - pravidla ExpenseReportNumberingModules=Způsob číslování výkazů výdajů NoModueToManageStockIncrease=Nebyl aktivován žádný modul schopný zvládnout automatické zvýšení zásob. Zvýšení zásob bude provedeno pouze při ručním zadávání. YouMayFindNotificationsFeaturesIntoModuleNotification=Možnosti upozornění na e-mail můžete najít povolením a konfigurací modulu "Oznámení". -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 +ListOfNotificationsPerUser=Seznam automatických oznámení na uživatele * +ListOfNotificationsPerUserOrContact=Seznam možných automatických oznámení (na obchodní akci) dostupných pro uživatele * nebo pro kontakt ** +ListOfFixedNotifications=Seznam automatických pevných oznámení GoOntoUserCardToAddMore=Přejděte na kartu "Oznámení" uživatele, chcete-li přidat nebo odstranit oznámení pro uživatele -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Chcete-li přidat nebo odebrat oznámení pro kontakty / adresy, přejděte na kartu Oznámení subjektu Threshold=Práh -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=Průvodce vytvořením souboru výpisu databáze +BackupZipWizard=Průvodce vytvořením adresáře archivů dokumentů SomethingMakeInstallFromWebNotPossible=Instalace externího modulu není možné z webového rozhraní z tohoto důvodu: SomethingMakeInstallFromWebNotPossible2=Z tohoto důvodu je zde popsaný proces upgradu ruční proces, který může provádět pouze privilegovaný uživatel. InstallModuleFromWebHasBeenDisabledByFile=Instalace externího modulu z aplikace byla deaktivována správcem. Musíte požádat jej, aby odstranil soubor %s , aby tuto funkci povolil. -ConfFileMustContainCustom=Instalace nebo sestavení externího modulu z aplikace musí ukládat soubory modulu do adresáře %s . Chcete-li, aby tento adresář zpracoval Dolibarr, musíte nastavit conf / conf.php a přidat dvě řádky:
$ dolibarr_main_url_root_alt = '/ custom';
$ dolibarr_main_document_root_alt = '%s / vlastní'; +ConfFileMustContainCustom=Instalace nebo sestavení externího modulu z aplikace vyžaduje uložení souborů modulu do adresáře %s . Chcete-li, aby tento adresář zpracoval Dolibarr, musíte nastavit conf / conf.php a přidat 2 směrné řádky:
$ dolibarr_main_url_root'alt '/';
$ dolibarr_main_document_root_alt = '%s / custom'; HighlightLinesOnMouseHover=Zvýrazněte řádky tabulky, když pohyb myší projde HighlightLinesColor=Zvýrazněte barvu čáry, když myš přejde (použijte "ffffff"aby nebylo zvýrazněno) HighlightLinesChecked=Zvýrazněte barvu čáry, když je zaškrtnuta (pro zvýraznění použijte "ffffff") @@ -1805,17 +1808,17 @@ TopMenuDisableImages=Skrýt obrázky v Top nabídky LeftMenuBackgroundColor=barva pozadí na levé menu BackgroundTableTitleColor=Barva pozadí pro tabulku názvu linky BackgroundTableTitleTextColor=Barva textu pro název řádku tabulky -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Barva textu pro řádek odkazu na nadpis tabulky BackgroundTableLineOddColor=Barva pozadí pro liché řádky tabulky BackgroundTableLineEvenColor=barva pozadí pro sudé řádky tabulky MinimumNoticePeriod=Minimální výpovědní lhůta (Vaše žádost dovolená musí být provedeno před tímto zpožděním) NbAddedAutomatically=Počet dnů přidaných do počítadel uživatelů (automaticky) každý měsíc EnterAnyCode=Toto pole obsahuje odkaz k identifikaci řádku. Zadat libovolnou hodnotu dle vlastního výběru, ale bez speciálních znaků. -Enter0or1=Enter 0 or 1 +Enter0or1=Zadejte 0 nebo 1 UnicodeCurrency=Zde zadejte mezi zarážkami, seznam čísel bytu, který představuje symbol měny. Například: pro $, zadejte [36] - pro Brazílii skutečné R $ [82,36] - za €, zadejte [8364] ColorFormat=RGB barva je ve formátu HEX, např. FF0000 PositionIntoComboList=Umístění řádku do seznamů combo -SellTaxRate=Prodej sazba daně +SellTaxRate=Sazba daně z prodeje RecuperableOnly=Ano pro DPH "Neočekávané, ale obnovitelné" určené pro některé státy ve Francii. U všech ostatních případů udržujte hodnotu "Ne". UrlTrackingDesc=Pokud poskytovatel nebo dopravní služba nabízí stránku nebo webovou stránku, která kontroluje stav vašich zásilek, můžete je zde zadat. V parametrech adresy URL můžete použít klíč {TRACKID}, aby jej systém nahradil číslem sledování, které uživatel zadal do přepravní karty. OpportunityPercent=Když vytvoříte příležitost, definujete odhadované množství projektu / vedení. Podle stavu vedoucího může být tato částka vynásobena touto sazbou, aby bylo možné vyhodnotit celkové množství, které všechny vaše potenciální zákazníci mohou vygenerovat. Hodnota je procentní (mezi 0 a 100). @@ -1825,11 +1828,11 @@ TemplateIsVisibleByOwnerOnly=Šablona je viditelná pouze pro vlastníka VisibleEverywhere=Viditelné všude VisibleNowhere=Viditelná nikde FixTZ=Oprava časového pásma -FillFixTZOnlyIfRequired=Příklad: 2 (vyplnit pouze tehdy, pokud problém týkal) +FillFixTZOnlyIfRequired=Příklad: +2 (vyplňte pouze v případě problému) ExpectedChecksum=Očekávaný kontrolní součet CurrentChecksum=Současný kontrolní součet -ExpectedSize=Expected size -CurrentSize=Current size +ExpectedSize=Očekávaná velikost +CurrentSize=Aktuální velikost ForcedConstants=Požadované konstantní hodnoty MailToSendProposal=návrhy zákazníků MailToSendOrder=Prodejní objednávky @@ -1844,6 +1847,7 @@ MailToThirdparty=Subjekty MailToMember=Členové MailToUser=Uživatelé MailToProject=Stránka projektů +MailToTicket=Vstupenky ByDefaultInList=Zobrazit výchozí zobrazení seznamu YouUseLastStableVersion=Používáte nejnovější stabilní verzi TitleExampleForMajorRelease=Příklad zprávy, kterou lze použít k oznámit tuto hlavní verzi (bez obav používat na svých webových stránkách) @@ -1881,7 +1885,7 @@ LandingPage=vstupní stránka SamePriceAlsoForSharedCompanies=Používáte-li modul multicompany s volbou "Jednoduchá cena", bude cena stejná pro všechny společnosti, pokud jsou produkty sdíleny mezi prostředími ModuleEnabledAdminMustCheckRights=Modul byl aktivován. Oprávnění pro aktivovaný modul (y) byly dány pouze pro uživatele admin. Možná budete muset udělit oprávnění pro ostatní uživatele nebo skupiny ručně v případě potřeby. UserHasNoPermissions=Tento uživatel nemá žádné oprávnění definované -TypeCdr=Pokud je datum platebního termínu datum fakturace plus delta ve dnech (delta je pole "%s"), použijte "Žádný", pokud je po delta datum zvýšeno, aby se dosáhlo konce měsíce (+ volitelně "%s" v dnech)
Použijte "Current / Next" pro datum platebního termínu první Nth měsíce po delta (delta je pole "%s" N je uloženo do pole "%s") +TypeCdr=Použijte „Žádné“, pokud je termínem platby datum faktury plus delta ve dnech (delta je pole „%s“)
Použití „Na konci měsíce“, pokud po delta musí být datum zvýšeno do konce měsíce (+ volitelný "%s" ve dnech)
Použijte "Aktuální / Další", chcete-li mít datum platební lhůty první Nth měsíce po delta (delta je pole "%s", N je uloženo do pole "%s") BaseCurrency=Referenční měna společnosti (změňte nastavení společnosti) WarningNoteModuleInvoiceForFrenchLaw=Tento modul %s je v souladu s francouzskými zákony (Loi Finance 2016). WarningNoteModulePOSForFrenchLaw=Tento modul %s je v souladu s francouzskými zákony (Loi Finance 2016), neboť modul Non Reversible Logs je automaticky aktivován. @@ -1896,8 +1900,8 @@ EnterCalculationRuleIfPreviousFieldIsYes=Zadejte pravidlo výpočtu, pokud bylo SeveralLangugeVariatFound=Bylo nalezeno několik jazykových variant RemoveSpecialChars=Odstraňte speciální znaky COMPANY_AQUARIUM_CLEAN_REGEX=Filtr Regex pro vyčištění hodnoty (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_DIGITARIA_CLEAN_REGEX=Filtr Regex pro vyčištění hodnoty (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Duplikát není povolen GDPRContact=Úředník pro ochranu údajů (DPO, ochrana dat nebo kontakt GDPR) GDPRContactDesc=Pokud uchováváte údaje o evropských společnostech / občanech, můžete zde jmenovat kontaktní osobu, která je odpovědná za nařízení o obecné ochraně údajů HelpOnTooltip=Text nápovědy se zobrazí na popisku @@ -1915,17 +1919,17 @@ NewEmailCollector=Nový e-mailový sběratel EMailHost=Hostitel poštovního IMAP serveru MailboxSourceDirectory=Adresář zdrojové schránky MailboxTargetDirectory=Adresář cílové schránky -EmailcollectorOperations=Operace, které mají dělat sběratel +EmailcollectorOperations=Operace prováděné sběratelem MaxEmailCollectPerCollect=Maximální počet e-mailů shromážděných za sběr CollectNow=Sbírat nyní ConfirmCloneEmailCollector=Opravdu chcete klonovat sběratel e-mailů %s? DateLastCollectResult=Datum poslední vyzvednutí vyzkoušeno DateLastcollectResultOk=Datum poslední sbírat úspěšně LastResult=Poslední výsledek -EmailCollectorConfirmCollectTitle=E-mail sbírat potvrzení -EmailCollectorConfirmCollect=Chcete kolekci pro tento sběratel spustit? +EmailCollectorConfirmCollectTitle=Potvrzení sběru e-mailu +EmailCollectorConfirmCollect=Chcete nyní spustit kolekci tohoto sběratele? NoNewEmailToProcess=Žádné nové e-maily (odpovídající filtry), které chcete zpracovat -NothingProcessed=Nothing done +NothingProcessed=Nic se nestalo XEmailsDoneYActionsDone=%s e-maily kvalifikovány, %s úspěšně zpracovány emaily (pro %s záznam / akce provedeny) podle sběratele RecordEvent=Nahrávat událost e-mailu CreateLeadAndThirdParty=Vytvoření vedení (a případně subjekty) @@ -1934,28 +1938,28 @@ CodeLastResult=Výstup posledního kódu NbOfEmailsInInbox=Počet e-mailů ve zdrojovém adresáři LoadThirdPartyFromName=Načíst vyhledávání subjektem na adrese %s (pouze načíst) LoadThirdPartyFromNameOrCreate=Načíst vyhledávání subjektů na adrese %s (vytvořit, pokud nebyly nalezeny) -WithDolTrackingID=Dolibarr Reference found in Message ID -WithoutDolTrackingID=Dolibarr Reference not found in Message ID +WithDolTrackingID=Odkaz Dolibarr nalezen v ID zprávy +WithoutDolTrackingID=Odkaz Dolibarr nebyl nalezen v ID zprávy FormatZip=Zip MainMenuCode=Vstupní kód nabídky (hlavní menu) ECMAutoTree=Zobrazit automatický strom ECM -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=Definujte hodnoty, které mají být použity pro objekt akce nebo jak extrahovat hodnoty. Například:
objproperty1 = SET: hodnota, která se má nastavit
objproperty2 = SET: hodnota s nahrazením __objproperty1__
objproperty3 = SETIFEMPTY: použitá hodnota, pokud objproperty3 ještě není definována
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Použijte a; char jako oddělovač pro extrahování nebo nastavení několika vlastností. OpeningHours=Otevírací doba OpeningHoursDesc=Zadejte zde běžnou pracovní dobu vaší společnosti. ResourceSetup=Konfigurace modulu zdrojů UseSearchToSelectResource=Použijte vyhledávací formulář k výběru zdroje (spíše než rozevírací seznam). DisabledResourceLinkUser=Zakázat funkci propojit prostředek s uživateli DisabledResourceLinkContact=Zakázat funkci propojit prostředek s kontakty -EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event +EnableResourceUsedInEventCheck=Povolte funkci a zkontrolujte, zda se zdroj používá v události ConfirmUnactivation=Potvrďte resetování modulu OnMobileOnly=Pouze na malé obrazovce (smartphone) DisableProspectCustomerType=Zakázat typ subjektu "Prospekt + zákazník" (takže subjekt musí být prospekt nebo zákazník, ale nemůže být oběma) MAIN_OPTIMIZEFORTEXTBROWSER=Zjednodušte rozhraní pro nevidomé MAIN_OPTIMIZEFORTEXTBROWSERDesc=Povolte tuto možnost, pokud jste osoba slepá, nebo pokud používáte aplikaci z textového prohlížeče, jako je Lynx nebo Links. -MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person -MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. -Protanopia=Protanopia -Deuteranopes=Deuteranopes +MAIN_OPTIMIZEFORCOLORBLIND=Změňte barvu rozhraní pro nevidomé barvy +MAIN_OPTIMIZEFORCOLORBLINDDesc=Povolte tuto možnost, pokud jste osoba nevidící barvu, v některých případech rozhraní změní nastavení barev pro zvýšení kontrastu. +Protanopia=Protanopie +Deuteranopes=Deuteranopy Tritanopes=Tritanopes ThisValueCanOverwrittenOnUserLevel=Tuto hodnotu může každý uživatel přepsat z jeho uživatelské stránky - záložka '%s' DefaultCustomerType=Výchozí typ subjektu pro formulář pro vytvoření nového zákazníka @@ -1970,33 +1974,34 @@ LogsLinesNumber=Počet řádků, které se mají zobrazit na kartě Protokoly 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=Module %s is activated and slows the interface +ModuleActivated=Je aktivován modul %s a zpomaluje rozhraní EXPORTS_SHARE_MODELS=Exportní modely jsou sdílené s každým ExportSetup=Nastavení modulu Export -ImportSetup=Setup of module Import +ImportSetup=Nastavení modulu Import InstanceUniqueID=Jedinečné ID instance SmallerThan=Menší než LargerThan=Větší než IfTrackingIDFoundEventWillBeLinked=Všimněte si, že je-li ID ID nalezeno v příchozím e-mailu, bude událost automaticky propojena s příslušnými objekty. -WithGMailYouCanCreateADedicatedPassword=Pokud je účet služby GMail povolen, je-li povoleno ověření dvou kroků, je doporučeno vytvořit vyhrazené druhé heslo pro aplikaci namísto použití hesla hesla z účtu https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. -EndPointFor=End point for %s : %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +WithGMailYouCanCreateADedicatedPassword=Pokud jste s účtem GMail povolili ověření ve 2 - dvou krocích, doporučuje se pro aplikaci vytvořit vyhrazené druhé heslo namísto použití hesla pro vlastní účet z adresy https://myaccount.google.com/. +EmailCollectorTargetDir=Po úspěšném zpracování může být žádoucí chování při přesunu e-mailu do jiné značky / adresáře. Chcete-li tuto funkci použít, nastavte zde hodnotu. Musíte také použít přihlašovací účet pro čtení a zápis. +EmailCollectorLoadThirdPartyHelp=Pomocí této akce můžete pomocí obsahu e-mailu najít a načíst existující třetí stranu ve vaší databázi. Nalezená (nebo vytvořená) třetí strana bude použita pro následující akce, které ji potřebují. V poli parametrů můžete použít například 'EXTRACT: BODY: Name: \\ s ([^ \\ s] *)', pokud chcete extrahovat jméno třetí strany z řetězce 'Name: name to find' nalezeného do tělo. +EndPointFor=Koncový bod pro %s: %s +DeleteEmailCollector=Smazat sběratele e-mailu +ConfirmDeleteEmailCollector=Opravdu chcete smazat tohoto sběratele e-mailů? +RecipientEmailsWillBeReplacedWithThisValue=E-maily příjemce budou vždy nahrazeny touto hodnotou +AtLeastOneDefaultBankAccountMandatory=Musí být definován alespoň 1 výchozí bankovní účet +RESTRICT_ON_IP=Povolit přístup pouze k některé hostitelské IP adrese (zástupné znaky nejsou povoleny, použijte mezeru mezi hodnotami). Prázdný znamená, že k němu mají přístup všichni hostitelé. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -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. +BaseOnSabeDavVersion=Na základě knihovny SabreDAV verze +NotAPublicIp=Není veřejná IP +MakeAnonymousPing=Vytvořte anonymní Ping '+1' k nadačnímu serveru Dolibarr (provedeno 1krát pouze po instalaci), aby nadace mohla spočítat počet instalací Dolibarru. +FeatureNotAvailableWithReceptionModule=Funkce není k dispozici, pokud je povolen příjem modulu +EmailTemplate=Šablona pro e-mail +EMailsWillHaveMessageID=E-maily budou mít značku 'Reference' odpovídající této syntaxi +PDF_USE_ALSO_LANGUAGE_CODE=Pokud chcete mít ve svém PDF duplikované texty ve 2 různých jazycích ve stejném generovaném PDF, musíte zde nastavit tento druhý jazyk, takže vygenerovaný PDF bude obsahovat 2 různé jazyky na stejné stránce, jeden vybraný při generování PDF a tento ( Podporuje to jen několik šablon PDF). Uchovávejte prázdné po dobu 1 jazyka na PDF. +FafaIconSocialNetworksDesc=Sem zadejte kód ikony FontAwesome. Pokud nevíte, co je FontAwesome, můžete použít obecnou hodnotu fa-address-book. +FeatureNotAvailableWithReceptionModule=Funkce není k dispozici, pokud je povolen příjem modulu +RssNote=Poznámka: Každá definice zdroje RSS obsahuje widget, který musíte povolit, aby byl dostupný na hlavním panelu +JumpToBoxes=Přejít na nastavení -> Widgety +MeasuringUnitTypeDesc=Použijte zde hodnotu jako „velikost“, „povrch“, „objem“, „hmotnost“, „čas“ +MeasuringScaleDesc=Měřítko je počet míst, která musíte přesunout desítkovou část tak, aby odpovídala výchozí referenční jednotce. U typu „čas“ je to počet sekund. Hodnoty mezi 80 a 99 jsou rezervované hodnoty. diff --git a/htdocs/langs/cs_CZ/agenda.lang b/htdocs/langs/cs_CZ/agenda.lang index 525ec1b0ec6..0c590afa4ae 100644 --- a/htdocs/langs/cs_CZ/agenda.lang +++ b/htdocs/langs/cs_CZ/agenda.lang @@ -38,7 +38,7 @@ ActionsEvents=Události, pro které Dolibarr vytvoří akci v programu automatic EventRemindersByEmailNotEnabled=Připomenutí událostí e-mailem nebyla povolena do %snastavení modulu . ##### Agenda event labels ##### NewCompanyToDolibarr=Subjekt %s vytvořen -COMPANY_DELETEInDolibarr=Third party %s deleted +COMPANY_DELETEInDolibarr=Subjekt %s byl smazán ContractValidatedInDolibarr=Kontrakt %s ověřen CONTRACT_DELETEInDolibarr=Smlouva %s byla smazána PropalClosedSignedInDolibarr=Nabídka %s podepsána @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Předplatné %s pro člena %supraveno MemberSubscriptionDeletedInDolibarr=Předplatné %s pro člena %s bylo smazáno ShipmentValidatedInDolibarr=Doprava %s ověřena ShipmentClassifyClosedInDolibarr=Zásilka %s klasifikováno účtoval -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open +ShipmentUnClassifyCloseddInDolibarr=Zásilka %s byla znovu otevřena ShipmentBackToDraftInDolibarr=Doprava %s se vrátí zpět na stav konceptu ShipmentDeletedInDolibarr=Doprava %s odstraněna OrderCreatedInDolibarr=Objednat %s vytvořil @@ -76,7 +76,7 @@ ContractSentByEMail=Smlouva %s byla zaslána e-mailem OrderSentByEMail=Prodejní objednávka %s byla odeslána e-mailem InvoiceSentByEMail=Zákaznická faktura %s byla odeslána e-mailem SupplierOrderSentByEMail=Objednávka %s byla odeslána e-mailem -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted +ORDER_SUPPLIER_DELETEInDolibarr=Objednávka %s byla smazána SupplierInvoiceSentByEMail=Faktura dodavatele %s byla odeslána e-mailem ShippingSentByEMail=Odeslání zásilky %s e-mailem ShippingValidated= Zásilka %s ověřena @@ -84,14 +84,15 @@ InterventionSentByEMail=Intervence %s odeslána e-mailem ProposalDeleted=Návrh odstraněn OrderDeleted=Příkaz odstraněn InvoiceDeleted=faktura smazána +DraftInvoiceDeleted=Koncept faktury byl smazán PRODUCT_CREATEInDolibarr=Produkt %s byl vytvořen PRODUCT_MODIFYInDolibarr=Produkt %s byl upraven PRODUCT_DELETEInDolibarr=Produkt %s byl smazán -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted +HOLIDAY_CREATEInDolibarr=Byla vytvořena žádost o dovolenou %s +HOLIDAY_MODIFYInDolibarr=Žádost o dovolenou %s byla upravena +HOLIDAY_APPROVEInDolibarr=Žádost o dovolenou %s byla schválena +HOLIDAY_VALIDATEInDolibarr=Žádost o dovolenou %s byla ověřena +HOLIDAY_DELETEInDolibarr=Žádost o dovolenou %s byla smazána EXPENSE_REPORT_CREATEInDolibarr=Zpráva o výdajích %s byla vytvořena EXPENSE_REPORT_VALIDATEInDolibarr=Zpráva o výdajích %s byla ověřena EXPENSE_REPORT_APPROVEInDolibarr=Zpráva o výdajích %s byla schválena @@ -102,17 +103,19 @@ PROJECT_MODIFYInDolibarr=Projekt %s modifikované PROJECT_DELETEInDolibarr=Projekt %s byl smazán TICKET_CREATEInDolibarr=Lístek %s byl vytvořen TICKET_MODIFYInDolibarr=Změna lístku %s -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned +TICKET_ASSIGNEDInDolibarr=Tiket %s byl přiřazen TICKET_CLOSEInDolibarr=Lístek %s uzavřen TICKET_DELETEInDolibarr=Lístek %s byl smazán -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted +BOM_VALIDATEInDolibarr=Kusovník ověřen +BOM_UNVALIDATEInDolibarr=Kusovník je neplatný +BOM_CLOSEInDolibarr=Kusovník deaktivován +BOM_REOPENInDolibarr=Kusovník se znovu otevře +BOM_DELETEInDolibarr=Kusovník byl smazán +MRP_MO_VALIDATEInDolibarr=MO ověřeno +MRP_MO_UNVALIDATEInDolibarr=MO nastaveno do stavu konceptu +MRP_MO_PRODUCEDInDolibarr=MO vyrobené +MRP_MO_DELETEInDolibarr=MO smazáno +MRP_MO_CANCELInDolibarr=MO zrušeno ##### End agenda events ##### AgendaModelModule=Šablony dokumentů pro události DateActionStart=Datum zahájení @@ -123,7 +126,7 @@ AgendaUrlOptionsNotAdmin= logina =! %s omezit výstup na akce, které nev AgendaUrlOptions4= logint = %s omezit výstup na akce přiřazené uživateli %s(majitel a další). AgendaUrlOptionsProject= project = __ PROJECT_ID __ pro omezení výstupu na akce spojené s projektem __ PROJECT_ID __ . AgendaUrlOptionsNotAutoEvent= notactiontype = systemauto pro vyloučení automatických událostí. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. +AgendaUrlOptionsIncludeHolidays= includeholidays = 1 pro zahrnutí událostí svátků. AgendaShowBirthdayEvents=Zobrazit narozeniny kontaktů AgendaHideBirthdayEvents=Skrýt narozeniny kontaktů Busy=Zaneprázdněný @@ -151,3 +154,6 @@ EveryMonth=Každý měsíc DayOfMonth=Den v měsíci DayOfWeek=Den v týdnu DateStartPlusOne=Datum zahájení + 1 hodina +SetAllEventsToTodo=Nastavte všechny události na todo +SetAllEventsToInProgress=Nastavit všechny probíhající události +SetAllEventsToFinished=Nastavit všechny události na konec diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang index c6f3737aab6..8932db81d84 100644 --- a/htdocs/langs/cs_CZ/banks.lang +++ b/htdocs/langs/cs_CZ/banks.lang @@ -2,12 +2,12 @@ Bank=Banka MenuBankCash=Banky | Hotovost MenuVariousPayment=Různé platby -MenuNewVariousPayment=Nová Různá platba +MenuNewVariousPayment=Nové různé platby BankName=Název banky FinancialAccount=Účet BankAccount=Bankovní účet BankAccounts=Bankovní účty -BankAccountsAndGateways=Bankovní účty Brány +BankAccountsAndGateways=Bankovní účty | Brány ShowAccount=Ukázat účet AccountRef=Finanční účet ref AccountLabel=Štítek finančního účtu @@ -30,13 +30,15 @@ AllTime=Od začátku Reconciliation=Vyrovnání RIB=Číslo bankovního účtu IBAN=IBAN -BIC=BIC / SWIFT kód +BIC=BIC/SWIFT kód SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN platný IbanNotValid=BAN není platná -StandingOrders=Příkazy přímého inkasa +StandingOrders=příkazy k inkasu StandingOrder=Trvalý příkaz +PaymentByBankTransfers=Platby převodem +PaymentByBankTransfer=Platba převodem AccountStatement=Výpis z účtu AccountStatementShort=Prohlášení AccountStatements=Výpisy z účtů @@ -73,7 +75,7 @@ BankTransaction=Bankovní transakce ListTransactions=Seznamy záznamů ListTransactionsByCategory=Seznam položek/kategorií TransactionsToConciliate=Položky ke sladění -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=Smířit Conciliable=Může být porovnáno Conciliate=Porovnat Conciliation=Porovnání @@ -95,7 +97,7 @@ AddBankRecordLong=Přidejte položku ručně Conciliated=Sladěno ConciliatedBy=Porovnáno DateConciliating=Datum porovnání -BankLineConciliated=Entry reconciled with bank receipt +BankLineConciliated=Vstup byl sladěn s bankovním potvrzením Reconciled=Sladěno NotReconciled=Nesladěno CustomerInvoicePayment=Zákaznická platba @@ -154,22 +156,22 @@ RejectCheck=Kontrola vrácena ConfirmRejectCheck=Opravdu chcete označit tuto kontrolu za zamítnuta? RejectCheckDate=Datum vrácení kontroly CheckRejected=Kontrola vrácena -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open +CheckRejectedAndInvoicesReopened=Šek vrácen a faktury znovu otevřeny BankAccountModelModule=Šablony dokumentů pro bankovní účty DocumentModelSepaMandate=Šablona mandátu SEPA. Pouze pro evropské země v EHS. DocumentModelBan=Šablona pro tisk stránky s informacemi o BAN. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment +NewVariousPayment=Nové různé platby +VariousPayment=Různé platby VariousPayments=Různé platby -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment +ShowVariousPayment=Zobrazit různé platby +AddVariousPayment=Přidat další platbu SEPAMandate=Mandát SEPA YourSEPAMandate=Váš mandát SEPA FindYourSEPAMandate=Toto je vaše mandát SEPA, který autorizuje naši společnost, aby inkasovala inkasní příkaz k vaší bance. Vraťte jej podepsanou (skenování podepsaného dokumentu) nebo pošlete jej poštou AutoReportLastAccountStatement=Automaticky vyplňte pole "číslo bankovního výpisu" s posledním číslem výpisu při odsouhlasení CashControl=POS peněžní oplocení NewCashFence=Nový peněžní plot -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement +BankColorizeMovement=Zbarvujte pohyby +BankColorizeMovementDesc=Pokud je tato funkce povolena, můžete vybrat konkrétní barvu pozadí pro pohyby debetů nebo kreditů +BankColorizeMovementName1=Barva pozadí pro debetní pohyb +BankColorizeMovementName2=Barva pozadí pro pohyb úvěru diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index 85a6e50bad3..84a6a9653c5 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -12,8 +12,8 @@ BillsLate=Opožděné platby BillsStatistics=Statistiky faktur zákazníků BillsStatisticsSuppliers=Statistiky dodavatelských faktur DisabledBecauseDispatchedInBookkeeping=Zakázáno, protože faktura byla odeslána do účetnictví -DisabledBecauseNotLastInvoice=Zakázáno, protože faktura není vymazatelná. Některé faktury byly po tomto zaznamenány a vytvoří díry v počítadle. -DisabledBecauseNotErasable=Zakázáno, protože nelze vymazat +DisabledBecauseNotLastInvoice=Zakázáno, protože fakturu nelze vymazat. Některé faktury byly zaznamenány až po této akci a vytvoří mezery v seznamu +DisabledBecauseNotErasable=Zakázáno, protože jej nelze vymazat InvoiceStandard=Standardní faktura InvoiceStandardAsk=Standardní faktura InvoiceStandardDesc=Tento druh faktury je společná faktura. @@ -25,7 +25,7 @@ InvoiceProFormaAsk=Proforma faktura InvoiceProFormaDesc=Proforma faktura je obraz skutečné faktury, ale nemá účetní hodnotu. InvoiceReplacement=Náhradní faktura InvoiceReplacementAsk=Náhradní faktura faktury -InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. +InvoiceReplacementDesc= Náhradní faktura se používá k úplnému nahrazení faktury bez již obdržené platby.

Poznámka: Je možné vyměnit pouze faktury bez platby. Pokud faktura, kterou vyměníte, ještě není uzavřena, bude automaticky uzavřena na „opuštěnou“. InvoiceAvoir=Dobropis InvoiceAvoirAsk=Opravit fakturu na dobropis InvoiceAvoirDesc=Dobropis je negativní faktura řešící skutečnost, že na původní faktuře je částka, které se liší od částky skutečně vyplacené. (zákazník zaplatil více omylem, nebo nezaplatil vše, protože například vrátil některé produkty). @@ -49,7 +49,7 @@ PredefinedInvoices=Předdefinované faktury Invoice=Faktura PdfInvoiceTitle=Faktura Invoices=Faktury -InvoiceLine=Řádka faktury +InvoiceLine=Fakturační řádek InvoiceCustomer=Faktura zákazníka CustomerInvoice=Faktura zákazníka CustomersInvoices=Faktury zákazníků @@ -61,15 +61,15 @@ Payment=Platba PaymentBack=Vrácení CustomerInvoicePaymentBack=Vrácení Payments=Platby -PaymentsBack=Refunds +PaymentsBack=Vrácení peněz paymentInInvoiceCurrency=v měně faktur PaidBack=Navrácené DeletePayment=Odstranit platby ConfirmDeletePayment=Jste si jisti, že chcete smazat tuto platbu? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? -ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? -ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. +ConfirmConvertToReduc=Chcete převést tento %s na dostupný kredit? +ConfirmConvertToReduc2=Částka bude uložena mezi všechny slevy a mohla by být použita jako sleva na aktuální nebo budoucí fakturu pro tohoto zákazníka. +ConfirmConvertToReducSupplier=Chcete převést tento %s na dostupný kredit? +ConfirmConvertToReducSupplier2=Částka bude uložena mezi všechny slevy a mohla by být použita jako sleva na aktuální nebo budoucí fakturu pro tohoto prodejce. SupplierPayments=Platby dodavatele ReceivedPayments=Přijaté platby ReceivedCustomersPayments=Platby přijaté od zákazníků @@ -78,7 +78,7 @@ ReceivedCustomersPaymentsToValid=Ověřené přijaté platby od zákazníků PaymentsReportsForYear=Zprávy o platbách pro %s PaymentsReports=Zprávy o platbách PaymentsAlreadyDone=Provedené platby -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Vrácení peněz již bylo provedeno PaymentRule=Pravidlo platby PaymentMode=Způsob platby PaymentTypeDC=Debetní / kreditní karty @@ -95,7 +95,7 @@ PaymentHigherThanReminderToPay=Platba vyšší než upomínka k zaplacení HelpPaymentHigherThanReminderToPay=Pozor, částka platby jedné nebo více účtů je vyšší než neuhrazená částka.
Upravte svůj záznam, jinak potvrďte a zvážíte vytvoření poznámky o přebytku, který jste dostali za každou přeplatku faktury. HelpPaymentHigherThanReminderToPaySupplier=Pozor, částka platby jedné nebo více účtů je vyšší než neuhrazená částka.
Upravte svůj záznam, jinak potvrďte a zvážíte vytvoření poznámky o přeplatku za každou přeplatkovou fakturu. ClassifyPaid=Klasifikace 'Zaplaceno' -ClassifyUnPaid=Classify 'Unpaid' +ClassifyUnPaid=Označit „nezaplaceno“ ClassifyPaidPartially=Klasifikace 'Částečně uhrazeno' ClassifyCanceled=Klasifikace 'Opuštěné' ClassifyClosed=Klasifikace 'Uzavřeno' @@ -151,7 +151,7 @@ ErrorBillNotFound=Faktura %s neexistuje ErrorInvoiceAlreadyReplaced=Chyba, pokusili jste se ověřit fakturu nahradit fakturu %s. Ale toto bylo již nahrazeno faktorem %s. ErrorDiscountAlreadyUsed=Chyba, sleva byla již použita ErrorInvoiceAvoirMustBeNegative=Chyba, oprava faktury musí mít zápornou částku -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=Chyba, tento typ faktury musí mít částku bez daně pozitivní (nebo nulovou) ErrorCantCancelIfReplacementInvoiceNotValidated=Chyba, nelze zrušit, pokud faktura, která byla nahrazena jinou fakturu je stále ve stavu návrhu ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Tato část se již používá, takže slevové série nelze odstranit. BillFrom=Z @@ -175,9 +175,9 @@ DraftBills=Návrhy faktury CustomersDraftInvoices=Návrh zákaznické faktury SuppliersDraftInvoices=Prodejní faktury Unpaid=Nezaplaceno -ErrorNoPaymentDefined=Error No payment defined +ErrorNoPaymentDefined=Chyba Nebyla definována žádná platba ConfirmDeleteBill=Jste si jisti, že chcete smazat tuto fakturu? -ConfirmValidateBill=Opravdu chcete tuto fakturu ověřit pomocí odkazu %s ? +ConfirmValidateBill=Opravdu chcete tuto fakturu ověřit pomocí odkazu %s ? ConfirmUnvalidateBill=Jste si jisti, že chcete změnit fakturu %s do stavu návrhu? ConfirmClassifyPaidBill=Jste si jisti, že chcete změnit fakturu %s do stavu uhrazeno? ConfirmCancelBill=Jste si jisti, že chcete zrušit fakturu %s? @@ -199,7 +199,7 @@ ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Tato volba se používá k ConfirmClassifyPaidPartiallyReasonOtherDesc=Tuto volbu použijte, pokud nejsou všechny ostatní vhodné, například v následující situaci:
- platba nebyla dokončena, protože některé produkty byly vráceny zpět
- částka nárokována příliš důležitá, protože sleva byla zapomenuta
Ve všech případech musí být opravená částka opravena v účetním systému vytvořením dobropisu. ConfirmClassifyAbandonReasonOther=Ostatní ConfirmClassifyAbandonReasonOtherDesc=Tato volba se používá ve všech ostatních případech. Například proto, že máte v plánu vytvořit nahrazující fakturu. -ConfirmCustomerPayment=Potvrdíte tento vstup platby pro %s %s? +ConfirmCustomerPayment=Potvrzujete tento platební vstup pro %s %s? ConfirmSupplierPayment=Potvrdíte tento vstup platby pro %s %s? ConfirmValidatePayment=Jste si jisti, že chcete ověřit tuto platbu? Po ověření platby už nebudete moci provést žádnou změnu. ValidateBill=Ověřit fakturu @@ -209,23 +209,23 @@ NumberOfBillsByMonth=Počet faktur za měsíc AmountOfBills=Částka faktur AmountOfBillsHT=Výše faktur (bez daně) AmountOfBillsByMonthHT=Výše faktur za měsíc (bez daně) -UseSituationInvoices=Allow situation invoice -UseSituationInvoicesCreditNote=Allow situation invoice credit note -Retainedwarranty=Retained warranty -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices -RetainedwarrantyDefaultPercent=Retained warranty default percent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation -ToPayOn=To pay on %s -toPayOn=to pay on %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit -RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +UseSituationInvoices=Povolit situační fakturu +UseSituationInvoicesCreditNote=Povolit dobropis na dobropis +Retainedwarranty=Zadržená záruka +AllowedInvoiceForRetainedWarranty=Zachovaná záruka použitelná na následující typy faktur +RetainedwarrantyDefaultPercent=Zachováno výchozí procento záruky +RetainedwarrantyOnlyForSituation=Zpřístupněte „zachovanou záruku“ pouze pro situační faktury +RetainedwarrantyOnlyForSituationFinal=U situačních faktur je globální odpočet „zadržené záruky“ aplikován pouze na konečnou situaci +ToPayOn=Zaplatit %s +toPayOn=zaplatit %s +RetainedWarranty=Zachovaná záruka +PaymentConditionsShortRetainedWarranty=Zadržené platební podmínky +DefaultPaymentConditionsRetainedWarranty=Výchozí zachované záruční platební podmínky +setPaymentConditionsShortRetainedWarranty=Nastavit podmínky zachování záruky +setretainedwarranty=Nastavte zachovanou záruku +setretainedwarrantyDateLimit=Nastavit omezený limit data záruky +RetainedWarrantyDateLimit=Časový limit ponechané záruky +RetainedWarrantyNeed100Percent=Faktura za situaci musí být na 100%%, aby se mohla zobrazit ve formátu PDF AlreadyPaid=Již zaplacené AlreadyPaidBack=Již vrácené platby AlreadyPaidNoCreditNotesNoDeposits=Již zaplacené (bez dobropisů a vkladů) @@ -241,8 +241,6 @@ EscompteOffered=Nabídnutá sleva (platba před termínem) EscompteOfferedShort=Sleva SendBillRef=Předložení faktury %s SendReminderBillRef=Předložení faktury %s (upomínka) -StandingOrders=příkazy k inkasu -StandingOrder=Trvalý příkaz NoDraftBills=Žádné návrhy faktury NoOtherDraftBills=Žádné jiné návrhy faktury NoDraftInvoices=Žádné návrhy faktury @@ -291,8 +289,8 @@ AddGlobalDiscount=Vytvořte absolutní slevu EditGlobalDiscounts=Upravit absolutní slevy AddCreditNote=Vytvořte dobropis ShowDiscount=Zobrazit slevu -ShowReduc=Show the discount -ShowSourceInvoice=Show the source invoice +ShowReduc=Ukažte slevu +ShowSourceInvoice=Zobrazit zdrojovou fakturu RelativeDiscount=Relativní sleva GlobalDiscount=Globální sleva CreditNote=Dobropis @@ -329,15 +327,15 @@ InvoiceDateCreation=Datum vytvoření faktury InvoiceStatus=Stav faktury InvoiceNote=Faktura poznámka InvoicePaid=Faktura zaplacena -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. +InvoicePaidCompletely=Zaplaceno úplně +InvoicePaidCompletelyHelp=Faktura, která je zcela uhrazena. To nezahrnuje faktury, které jsou částečně zaplaceny. Chcete-li získat seznam všech uzavřených nebo neuzavřených faktur, raději použijte filtr stavu faktur. OrderBilled=Objednávka byla fakturována DonationPaid=Dávka byla vyplacena PaymentNumber=Platba číslo RemoveDiscount=Odebrat slevu WatermarkOnDraftBill=Vodoznak k návrhům faktur (prázdný, pokud není nic vloženo) InvoiceNotChecked=Není vybrána žádná faktura -ConfirmCloneInvoice=Jste si jisti, že chcete kopírovat tuto fakturu %s ? +ConfirmCloneInvoice=Opravdu chcete klonovat tuto fakturu %s ? DisabledBecauseReplacedInvoice=Akce zakázána, protože faktura byla nahrazena DescTaxAndDividendsArea=Tato oblast představuje souhrn všech plateb za zvláštní výdaje. Zde jsou zahrnuty pouze záznamy s platbou v průběhu účetního roku. NbOfPayments=Počet plateb @@ -381,11 +379,11 @@ InvoiceAutoValidate=Ověřovat faktury automaticky GeneratedFromRecurringInvoice=Generován z šablony opakující faktury %s DateIsNotEnough=Datum ještě nebylo dosaženo InvoiceGeneratedFromTemplate=Faktura %s generována z opakující se šablona faktury %s -GeneratedFromTemplate=Generated from template invoice %s +GeneratedFromTemplate=Vygenerováno ze šablony faktury %s WarningInvoiceDateInFuture=Upozornění: datum faktury je vyšší než aktuální datum WarningInvoiceDateTooFarInFuture=Upozornění: datum faktury je příliš daleko od aktuálního data ViewAvailableGlobalDiscounts=Zobrazit dostupné slevy -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Seskupujte platby podle režimu v přehledech # PaymentConditions Statut=Status PaymentConditionShortRECEP=Splatné k datu přijetí @@ -412,10 +410,10 @@ PaymentConditionShort14D=14 dní PaymentCondition14D=14 dní PaymentConditionShort14DENDMONTH=14 dní konci měsíce PaymentCondition14DENDMONTH=Do 14 dnů po skončení měsíce, -FixAmount=Fixed amount - 1 line with label '%s' +FixAmount=Fixní částka - 1 řádek s označením „%s“ VarAmount=Variabilní částka (%% celk.) VarAmountOneLine=Proměnná částka (%% tot.) - 1 řádek se štítkem '%s' -VarAmountAllLines=Variable amount (%% tot.) - all same lines +VarAmountAllLines=Proměnná částka (%% celkem) - všechny stejné řádky # PaymentType PaymentTypeVIR=Bankovní převod PaymentTypeShortVIR=Bankovní převod @@ -484,7 +482,7 @@ Cheques=Kontroly DepositId=id vklad NbCheque=Počet kontrol CreditNoteConvertedIntoDiscount=Tento %s byl převeden na %s -UsBillingContactAsIncoiveRecipientIfExist=Použijte kontakt / adresu s typem fakturačního kontaktu namísto adresy subjektu jako příjemce faktur +UsBillingContactAsIncoiveRecipientIfExist=Použijte kontakt/adresu s typem fakturačního kontaktu namísto adresy subjektu jako příjemce faktur ShowUnpaidAll=Zobrazit všechny neuhrazené faktury ShowUnpaidLateOnly=Zobrazit jen pozdní neuhrazené faktury PaymentInvoiceRef=Platba faktury %s @@ -497,27 +495,27 @@ CantRemovePaymentWithOneInvoicePaid=Nelze odstranit platbu protože je k dispozi ExpectedToPay=Očekávaná platba CantRemoveConciliatedPayment=Platbu smířenou platbu nelze odstranit PayedByThisPayment=Uhrazeno touto platbou -ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely. -ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely. -ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely. +ClosePaidInvoicesAutomatically=Pokud je platba provedena úplně, automaticky klasifikujte všechny standardní, zálohy nebo náhradní faktury jako „placené“. +ClosePaidCreditNotesAutomatically=Po úplném vrácení peněz automaticky klasifikujte všechny dobropisy jako „zaplacené“. +ClosePaidContributionsAutomatically=Pokud je platba provedena úplně, automaticky klasifikujte všechny sociální nebo fiskální příspěvky jako „placené“. AllCompletelyPayedInvoiceWillBeClosed=Všechny faktury bez zbývající částky budou automaticky uzavřeny se stavem "Placené". ToMakePayment=Zaplatit ToMakePaymentBack=Vrátit ListOfYourUnpaidInvoices=Seznam nezaplacených faktur NoteListOfYourUnpaidInvoices=Poznámka: Tento seznam obsahuje pouze faktury pro třetí strany které jsou propojeny na obchodního zástupce. -RevenueStamp=Tax stamp +RevenueStamp=Daňové razítko YouMustCreateInvoiceFromThird=Tato možnost je k dispozici pouze při vytváření faktury z karty "Zákazník" subjektu YouMustCreateInvoiceFromSupplierThird=Tato možnost je k dispozici pouze při vytváření faktury z karty "Prodejce" subjektu YouMustCreateStandardInvoiceFirstDesc=Musíte nejprve vytvořit standardní fakturu a převést ji do „šablony“ pro vytvoření nové šablony faktury -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template) +PDFCrabeDescription=Šablona faktury PDF Crabe. Kompletní šablona faktury (stará implementace Sponge šablony) PDFSpongeDescription=Faktura Šablona PDF Sponge. Kompletní šablona faktury PDFCrevetteDescription=Faktura PDF šablony Crevette. Kompletní fakturu šablona pro situace faktur TerreNumRefModelDesc1=Vrátí číslo ve formátu %s yymm-nnnn pro standardní faktury a %s yymm-nnnn pro dobropisy, kde yy je rok, mm je měsíc a nnnn je sekvence bez přerušení a bez návratu k 0 MarsNumRefModelDesc1=Vrátí číslo s formát %syymm-nnnn pro standardní faktury, %syymm-nnnn náhradních faktur, %syymm-nnnn pro akontace faktur a %syymm-nnnn pro dobropisy, kde yy je rok, MM měsíc a nnnn je sekvence bez přestávky a ne vrátí do polohy 0 TerreNumRefModelError=Účet počínaje $syymm již existuje a není kompatibilní s tímto modelem sekvence. Vyjměte ji nebo přejmenujte jej aktivací tohoto modulu. CactusNumRefModelDesc1=Vrátí číslo s formát %syymm-nnnn pro standardní faktury, %syymm-nnnn pro dobropisy a %syymm-nnnn pro akontace faktur, kde yy je rok, mm je měsíc a nnnn je sekvence bez přestávky, a ne návrat k 0 ° C -EarlyClosingReason=Early closing reason -EarlyClosingComment=Early closing note +EarlyClosingReason=Důvod předčasného uzavření +EarlyClosingComment=Předčasná závěrečná poznámka ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Zástupce následující zákaznické faktury TypeContact_facture_external_BILLING=Fakturační kontakt zákazníka @@ -556,7 +554,7 @@ TotalSituationInvoice=celková situace invoiceLineProgressError=Pokrok linky faktury nesmí být větší nebo roven dalšímu řádku faktury updatePriceNextInvoiceErrorUpdateline=Chyba: aktualizace ceny na řádku faktury: %s ToCreateARecurringInvoice=Chcete-li vytvořit opakující faktury pro tuto smlouvu, nejprve vytvořit tento návrh fakturu, pak převést jej do šablony faktury a definovat frekvenci pro generování budoucích fakturách. -ToCreateARecurringInvoiceGene=S cílem vytvořit budoucí faktury pravidelně ručně, stačí jít nabídce %s - %s - %s . +ToCreateARecurringInvoiceGene=Chcete-li pravidelně a ručně generovat budoucí faktury, stačí v nabídce %s - %s - %s . ToCreateARecurringInvoiceGeneAuto=Pokud potřebujete takové faktury generovat automaticky, požádejte správce o povolení a nastavení modulu %s . Mějte na paměti, že obě metody (manuální a automatické) mohou být použity společně bez rizika duplikace. DeleteRepeatableInvoice=Odstranit šablonu faktury ConfirmDeleteRepeatableInvoice=Jsou vaše jisti, že chcete smazat šablonu faktury? @@ -571,4 +569,7 @@ AutoFillDateTo=Nastavte datum ukončení servisního řádku s dalším datem fa AutoFillDateToShort=Nastavte datum ukončení MaxNumberOfGenerationReached=Maximální počet gen. dosáhl BILL_DELETEInDolibarr=faktura smazána -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +BILL_SUPPLIER_DELETEInDolibarr=Faktura dodavatele byla smazána +UnitPriceXQtyLessDiscount=Jednotková cena x Množství - Sleva +CustomersInvoicesArea=Fakturační oblast zákazníka +SupplierInvoicesArea=Fakturační oblast dodavatele diff --git a/htdocs/langs/cs_CZ/boxes.lang b/htdocs/langs/cs_CZ/boxes.lang index 2458dea9d07..f99108a20da 100644 --- a/htdocs/langs/cs_CZ/boxes.lang +++ b/htdocs/langs/cs_CZ/boxes.lang @@ -19,7 +19,7 @@ BoxLastContacts=Poslední kontakty/adresy BoxLastMembers=Nejnovější členové BoxFicheInter=Nejnovější intervence BoxCurrentAccounts=Zůstatek otevřených účtů -BoxTitleMemberNextBirthdays=Birthdays of this month (members) +BoxTitleMemberNextBirthdays=Narozeniny tohoto měsíce (členové) BoxTitleLastRssInfos=Nejnovější %s zprávy z %s BoxTitleLastProducts=Poslední %s modifikované produkty/služby BoxTitleProductsAlertStock=Produkty: upozornění skladu @@ -27,15 +27,15 @@ BoxTitleLastSuppliers=Poslední %s zaznamenaní dodavatelé BoxTitleLastModifiedSuppliers=Poslední %s upravení dodavatelé BoxTitleLastModifiedCustomers=Poslední %s upravení zákazníci BoxTitleLastCustomersOrProspects=Poslední %s zákazníci nebo perspektivy -BoxTitleLastCustomerBills=Poslední faktury %s zákazníků -BoxTitleLastSupplierBills=poslední%s faktury dodavatelů +BoxTitleLastCustomerBills=Nejnovější %s upravené zákaznické faktury +BoxTitleLastSupplierBills=Nejnovější %s upravené dodavatelské faktury BoxTitleLastModifiedProspects=Poslední %s upravené perspektivy BoxTitleLastModifiedMembers=Poslední %s uživatelé BoxTitleLastFicheInter=Nejnovější %s upravené intervence BoxTitleOldestUnpaidCustomerBills=Nejstarší %s nezaplacené faktury zákazníků BoxTitleOldestUnpaidSupplierBills=Nejstarší %s nezaplacené faktury dodavatelů BoxTitleCurrentAccounts=Otevřít účty: zůstatky -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception +BoxTitleSupplierOrdersAwaitingReception=Objednávky dodavatele čekají na příjem BoxTitleLastModifiedContacts=Poslední %s upravené kontakty/adresy BoxMyLastBookmarks=Záložky: poslední %s BoxOldestExpiredServices=Nejstarší aktivní expirované služby @@ -44,8 +44,8 @@ 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=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLatestModifiedBoms=Poslední %s upravené kusovníky +BoxTitleLatestModifiedMos=Poslední upravené výrobní zakázky %s BoxGlobalActivity=Globální aktivita (faktury, návrhy, objednávky) BoxGoodCustomers=Dobří zákazníci BoxTitleGoodCustomers=%s Dobří zákazníci @@ -68,7 +68,7 @@ NoContractedProducts=Žádné nasmlouvané produkty/služby NoRecordedContracts=Žádné zaznamenané smlouvy NoRecordedInterventions=Žádné zaznamenané zásahy BoxLatestSupplierOrders=Nejnovější objednávky -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) +BoxLatestSupplierOrdersAwaitingReception=Poslední objednávky (s čekajícím přijetím) NoSupplierOrder=Žádná zaznamenaná objednávka BoxCustomersInvoicesPerMonth=Faktury zákazníků za měsíc BoxSuppliersInvoicesPerMonth=Faktury dodavatele za měsíc @@ -89,14 +89,14 @@ ForProposals=Nabídky LastXMonthRolling=Nejnovější %s měsíc válcování ChooseBoxToAdd=Přidání widgetu do hlavního panelu BoxAdded=Widget byl přidán do hlavního panelu -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Last manual entries in accountancy -BoxTitleLastManualEntries=%s latest manual entries -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment +BoxTitleUserBirthdaysOfMonth=Narozeniny tohoto měsíce (uživatelé) +BoxLastManualEntries=Poslední manuální zápisy v účetnictví +BoxTitleLastManualEntries=%s nejnovější manuální zápisy +NoRecordedManualEntries=V účetnictví nejsou zaznamenány žádné manuální záznamy +BoxSuspenseAccount=Počítání účetních operací s dočasným účtem +BoxTitleSuspenseAccount=Počet nepřidělených linek +NumberOfLinesInSuspenseAccount=Číslo řádku na pozastaveném účtu +SuspenseAccountNotDefined=Účet pozastavení není definován +BoxLastCustomerShipments=Poslední zásilky zákazníků +BoxTitleLastCustomerShipments=Nejnovější %s zásilky zákazníků +NoRecordedShipments=Žádná zaznamenaná zásilka zákazníka diff --git a/htdocs/langs/cs_CZ/cashdesk.lang b/htdocs/langs/cs_CZ/cashdesk.lang index 27fbe7b11e4..8d85e75043f 100644 --- a/htdocs/langs/cs_CZ/cashdesk.lang +++ b/htdocs/langs/cs_CZ/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Přidat tento článek RestartSelling=Vraťte se na prodej SellFinished=Sale complete PrintTicket=Tisk dokladu -SendTicket=Send ticket +SendTicket=Odeslat lístek NoProductFound=Žádný článek nalezen ProductFound=vyhledané výrobky NoArticle=Žádný článek @@ -49,7 +49,7 @@ Footer=Zápatí AmountAtEndOfPeriod=Částka na konci období (den, měsíc nebo rok) TheoricalAmount=Teoretická částka RealAmount=Skutečná částka -CashFence=Cash fence +CashFence=Hotovostní plot CashFenceDone=Peněžní oplatek za období NbOfInvoices=Některé z faktur Paymentnumpad=Zadejte Pad pro vložení platby @@ -60,49 +60,53 @@ TakeposNeedsCategories=Firma TakePOS potřebuje k tomu produktové kategorie OrderNotes=Objednací poznámky 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=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Skupinová DPH podle sazeb v vstupenkách | +AutoPrintTickets=Automaticky tisknout lístky | +PrintCustomerOnReceipts=Vytiskněte zákazníka na lístky | EnableBarOrRestaurantFeatures=Povolit funkce pro Bar nebo Restaurace ConfirmDeletionOfThisPOSSale=Potvrzujete, že jste tento prodej zrušili? -ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +ConfirmDiscardOfThisPOSSale=Chcete zahodit tento aktuální výprodej? History=Historie ValidateAndClose=Ověřte a zavřete Terminal=Terminál NumberOfTerminals=Počet terminálů TerminalSelect=Vyberte terminál, který chcete použít: -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=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 -HeadBar=Head Bar -SortProductField=Field for sorting products +POSTicket=POS Vstupenka +POSTerminal=POS terminál +POSModule=POS modul +BasicPhoneLayout=Použít základní rozvržení pro telefony +SetupOfTerminalNotComplete=Nastavení terminálu %s není dokončeno +DirectPayment=Přímá platba +DirectPaymentButton=Tlačítko přímé platby v hotovosti +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 +SupplementCategory=Doplňková kategorie +ColorTheme=Barevný motiv +Colorful=Barvitý +HeadBar=Hlavní lišta +SortProductField=Pole pro třídění produktů Browser=Prohlížeč -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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +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. +ByTerminal=Terminálem +TakeposNumpadUsePaymentIcon=Použijte ikonu platby na numpadu +CashDeskRefNumberingModules=Modul číslování pro prodej POS +CashDeskGenericMaskCodes6 =
{TN} se používá k přidání čísla terminálu +TakeposGroupSameProduct=Seskupte stejné produktové řady +StartAParallelSale=Zahajte nový paralelní prodej +ControlCashOpening=Kontrolní pokladna při otevření poz +CloseCashFence=Zavřete hotovostní plot +CashReport=Hotovostní zpráva +MainPrinterToUse=Hlavní tiskárna k použití +OrderPrinterToUse=Objednejte tiskárnu k použití +MainTemplateToUse=Hlavní šablona k použití +OrderTemplateToUse=Objednejte šablonu k použití +BarRestaurant=Barová restaurace +AutoOrder=Zákaznická automatická objednávka +RestaurantMenu=Menu +CustomerMenu=Zákaznické menu diff --git a/htdocs/langs/cs_CZ/categories.lang b/htdocs/langs/cs_CZ/categories.lang index edba960db58..5c978c52c12 100644 --- a/htdocs/langs/cs_CZ/categories.lang +++ b/htdocs/langs/cs_CZ/categories.lang @@ -62,14 +62,8 @@ ContactCategoriesShort=Tagy/kategorie kontakty AccountsCategoriesShort=Tagy/kategorie účtů ProjectsCategoriesShort=Tagy/kategorie projektů UsersCategoriesShort=Uživatelské značky/kategorie -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Tato kategorie neobsahuje žádný produkt. -ThisCategoryHasNoSupplier=Tato kategorie neobsahuje dodavatele. -ThisCategoryHasNoCustomer=Tato kategorie neobsahuje žádné zákazníky. -ThisCategoryHasNoMember=Tato kategorie neobsahuje žádné uživatele. -ThisCategoryHasNoContact=Tato kategorie neobsahuje žádný kontakt. -ThisCategoryHasNoAccount=Tato kategorie neobsahuje žádný účet. -ThisCategoryHasNoProject=Tato kategorie neobsahuje žádný projekt. +StockCategoriesShort=Značky/kategorie skladů +ThisCategoryHasNoItems=Tato kategorie neobsahuje žádné položky. CategId=ID tagu/kategorie CatSupList=Seznam tagů/kategorií dodavatelů CatCusList=Seznam tagů/kategorií zákazníků/cílů @@ -78,7 +72,7 @@ CatMemberList=Seznam tagů/kategorií uživatelů CatContactList=Seznam kontaktů tagů/kategorií CatSupLinks=Spojení mezi dodavateli a tagy/kategoriemi CatCusLinks=Spojení mezi zákazníky/cíly a tagy/kategoriemi -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Odkazy mezi kontakty/adresami a značkami/kategoriemi CatProdLinks=Spojení mezi produkty/službami a tagy/kategoriemi CatProJectLinks=Links between projects and tags/categories DeleteFromCat=Odebrat z tagů/kategorií @@ -90,6 +84,7 @@ AddProductServiceIntoCategory=Přidejte následující produkt/službu ShowCategory=Zobrazit tag/kategorii ByDefaultInList=Ve výchozím nastavení je v seznamu ChooseCategory=Vyberte kategorii -StocksCategoriesArea=Warehouses Categories Area -ActionCommCategoriesArea=Events Categories Area -UseOrOperatorForCategories=Use or operator for categories +StocksCategoriesArea=Oblast kategorií skladů +ActionCommCategoriesArea=Oblast kategorie událostí +WebsitePagesCategoriesArea=Oblast kategorií obsahu stránky +UseOrOperatorForCategories=Použití nebo operátor pro kategorie diff --git a/htdocs/langs/cs_CZ/companies.lang b/htdocs/langs/cs_CZ/companies.lang index ce0b18caed1..d083dc74be8 100644 --- a/htdocs/langs/cs_CZ/companies.lang +++ b/htdocs/langs/cs_CZ/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Oblast cílových kontaktů IdThirdParty=ID subjektu IdCompany=ID společnosti IdContact=ID kontaktu -Contacts=Kontakty/adresy ThirdPartyContacts=Kontakty subjektu ThirdPartyContact=Kontakty/adresy subjektu Company=Společnost @@ -57,7 +56,7 @@ NatureOfThirdParty=Povaha subjektu NatureOfContact=Povaha kontaktu Address=Adresa State=Stát/Okres -StateCode=State/Province code +StateCode=Kód státu / provincie StateShort=Stát Region=Kraj Region-State=Region - stát @@ -247,11 +246,11 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- -ProfId1RO=Prof Id 1 (CUI) -ProfId2RO=Prof Id 2 (Nr. Înmatriculare) -ProfId3RO=Prof Id 3 (CAEN) +ProfId1RO=ID Id 1 (CUI) +ProfId2RO=Id Id 2 (č. Matikulare) +ProfId3RO=ID Id 3 (CAEN) ProfId4RO=- -ProfId5RO=Prof Id 5 (EUID) +ProfId5RO=Prof ID 5 (EUID) ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) @@ -298,14 +297,15 @@ AddContact=Vytvořit kontakt AddContactAddress=Vytvořit kontakt/adresu EditContact=Upravit kontakt EditContactAddress=Upravit kontakt/adresu -Contact=Kontakt +Contact=Kontaktní adresa +Contacts=Kontakty/adresy ContactId=ID kontaktu ContactsAddresses=Kontakty/adresy FromContactName=Název: NoContactDefinedForThirdParty=Žádný kontakt není definován této třetí straně NoContactDefined=Žádný kontakt není definován DefaultContact=Výchozí kontakty / adresy -ContactByDefaultFor=Default contact/address for +ContactByDefaultFor=Výchozí kontakt / adresa pro AddThirdParty=Vytvořit subjekt DeleteACompany=Odstranit společnost PersonalInformations=Osobní údaje @@ -325,7 +325,8 @@ CompanyDeleted=Společnost %s odstraněna z databáze. ListOfContacts=Seznam kontaktů/adres ListOfContactsAddresses=Seznam kontaktů/adres ListOfThirdParties=Seznam subjektů -ShowContact=Zobrazit kontakt +ShowCompany=Subjekt +ShowContact=Kontaktní adresa ContactsAllShort=Vše (Bez filtru) ContactType=Typ kontaktu ContactForOrders=Kontakt objednávky @@ -344,7 +345,7 @@ MyContacts=Moje kontakty Capital=Hlavní město CapitalOf=Hlavní město %s EditCompany=Upravit společnost -ThisUserIsNot=This user is not a prospect, customer or vendor +ThisUserIsNot=Tento uživatel není cílem, zákazníkem ani prodejcem VATIntraCheck=Kontrola VATIntraCheckDesc=Kód DPH ID musí obsahovat předčíslí země. Odkaz %s používá službu European VAT Checker (VIES), která vyžaduje přístup na internet z Dolibarr serveru. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -411,7 +412,7 @@ AllocateCommercial=Přidělen obchodnímu zástupci Organization=Organizace FiscalYearInformation=Fiskální rok FiscalMonthStart=Počáteční měsíc fiskálního roku -SocialNetworksInformation=Social networks +SocialNetworksInformation=Sociální sítě SocialNetworksFacebookURL=Facebook URL SocialNetworksTwitterURL=Twitter URL SocialNetworksLinkedinURL=Linkedin URL @@ -424,7 +425,7 @@ ListSuppliersShort=Seznam dodavatelů ListProspectsShort=Seznam cílů ListCustomersShort=Seznam zákazníků ThirdPartiesArea=Kontakty subjektů -LastModifiedThirdParties=Posledních %s editovaných subjektů +LastModifiedThirdParties=Posledních %s změněných subjektů UniqueThirdParties=Celkem subjektů InActivity=Otevřeno ActivityCeased=Uzavřeno @@ -446,12 +447,12 @@ SaleRepresentativeFirstname=Jméno obchodního zástupce SaleRepresentativeLastname=Příjmení obchodního zástupce ErrorThirdpartiesMerge=Při odstraňování subjektů došlo k chybě. Zkontrolujte protokol. Změny byly vráceny. NewCustomerSupplierCodeProposed=Kód zákazníka nebo dodavatele již byl použit, je doporučen nový kód -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Pokud je tato adresa obecná adresa, ponechte toto pole prázdné #Imports PaymentTypeCustomer=Typ platby - Zákazník PaymentTermsCustomer=Platební podmínky - Zákazník PaymentTypeSupplier=Typ platby - dodavatel PaymentTermsSupplier=Platební termín - dodavatel -PaymentTypeBoth=Payment Type - Customer and Vendor +PaymentTypeBoth=Druh platby - zákazník a prodejce MulticurrencyUsed=Použití více měn MulticurrencyCurrency=Měna diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang index 5d746c572bf..108f4511ac7 100644 --- a/htdocs/langs/cs_CZ/compta.lang +++ b/htdocs/langs/cs_CZ/compta.lang @@ -70,7 +70,7 @@ SocialContributions=Sociální nebo daně za SocialContributionsDeductibles=Odečitatelné sociální či daně za SocialContributionsNondeductibles=Nondeductible sociální či daně za LabelContrib=Příspěvek štítek -TypeContrib=Typ příspěvek +TypeContrib=Typ příspěvku MenuSpecialExpenses=Zvláštní výdaje MenuTaxAndDividends=Daně a dividendy MenuSocialContributions=Sociální / daňové daně @@ -89,22 +89,22 @@ ListOfCustomerPayments=Seznam zákaznických plateb ListOfSupplierPayments=Seznam plateb dodavatelům DateStartPeriod=Datum zahájení období DateEndPeriod=Datum konce období -newLT1Payment=Nová platba daň Obecné podmínky 2 -newLT2Payment=Nová daň 3 platba -LT1Payment=Tax 2 platba -LT1Payments=Daňové 2 Platby -LT2Payment=Daň 3 platba -LT2Payments=Daňové 3 platby +newLT1Payment=Nová platba daně 2 +newLT2Payment=Nová platba daně 3 +LT1Payment=Platba daně 2 +LT1Payments=Platby daně 2 +LT2Payment=Platba daně 3 +LT2Payments=Platby daně 3 newLT1PaymentES=Nová RE platba newLT2PaymentES=Nová platba IRPF LT1PaymentES=RE Platba LT1PaymentsES=RE Platby LT2PaymentES=IRPF platba LT2PaymentsES=IRPF Platby -VATPayment=Prodejní daň platba -VATPayments=Daň z prodeje platby -VATRefund=Vrácení daně z prodeje -NewVATPayment=Nová platba daně z prodeje +VATPayment=Platba daně z obratu +VATPayments=Platby daně z obratu +VATRefund=Vrácení daně z obratu +NewVATPayment=Nová platba daně z obratu NewLocalTaxPayment=Nová daňová %s platba Refund=Vrácení SocialContributionsPayments=Sociální / platby daně za @@ -117,11 +117,11 @@ CustomerAccountancyCodeShort=Cust. účet. kód SupplierAccountancyCodeShort=Sup. účet. kód AccountNumber=Číslo účtu NewAccountingAccount=Nový účet -Turnover=Obrat fakturací -TurnoverCollected=Sběr obratu +Turnover=Fakturovaný obrat +TurnoverCollected=Obrat byl vybrán SalesTurnoverMinimum=Minimální obrat ByExpenseIncome=Podle nákladů & příjmy -ByThirdParties=Třetími stranami +ByThirdParties=Subjekta ByUserAuthorOfInvoice=Fakturu vystavil CheckReceipt=Zkontrolujte vklad CheckReceiptShort=Zkontrolujte vklad @@ -129,11 +129,11 @@ LastCheckReceiptShort=Poslední %s kontrola příjmu NewCheckReceipt=Nová sleva NewCheckDeposit=Nová kontrola zálohy NewCheckDepositOn=Vytvořte potvrzení o vkladu na účet: %s -NoWaitingChecks=Žádné kontroly čeká na vklad. +NoWaitingChecks=Žádný šek nečeká na vklad DateChequeReceived=Zkontrolujte datum příjmu NbOfCheques=Počet kontrol PaySocialContribution=Platit sociální / fiskální daň -ConfirmPaySocialContribution=Jste si jisti, že chcete zařadit tento sociální nebo fiskální daň jako zaplaceno? +ConfirmPaySocialContribution=Opravdu chcete tuto sociální nebo daňovou daň klasifikovat jako zaplacenou? DeleteSocialContribution=Odstranit sociální a fiskální platbu daně ConfirmDeleteSocialContribution=Opravdu chcete vymazat tuto sociální / daňovou daň? ExportDataset_tax_1=Sociální a fiskální daně a platby @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Viz %sanalýza plateb %spro výpočet skutečných pl SeeReportInDueDebtMode=Viz %sanalýza faktur %s pro výpočet založený na známých zaznamenaných fakturách, i když ještě nejsou účtovány v Ledgeru. SeeReportInBookkeepingMode=Viz část %sKontrola report %s pro výpočet na Tabulce účtů účetnictví RulesAmountWithTaxIncluded=- Uvedené částky jsou se všemi daněmi -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Zahrnuje nezaplacené faktury, výdaje, DPH, dary, ať už jsou či nejsou zaplaceny. Zahrnuje také placené platy.
- Je založen na fakturačním datu faktur a na datu splatnosti pro výdaje nebo platby daní. U platů definovaných modulem Plat se použije datum platby. RulesResultInOut=- To zahrnuje skutečné platby na fakturách, nákladů, DPH a platů.
- Je založen na datech plateb faktur, náklady, DPH a platů. Datum daru pro dárcovství. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Zahrnuje splatné faktury zákazníka, ať už jsou zaplaceny, nebo ne.
- Je založeno na fakturačním datu těchto faktur.
RulesCAIn=- Zahrnuje všechny efektivní platby faktur obdržených od zákazníků.
- Je založeno na datu splatnosti těchto faktur
RulesCATotalSaleJournal=Zahrnuje všechny úvěrové linky z žurnálu Prodej. RulesAmountOnInOutBookkeepingRecord=Zahrnuje záznam ve vašem účtu Ledger s účetními účty, které mají skupinu "EXPENSE" nebo "INCOME" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Obrat je fakturován sazbou daně z prodeje TurnoverCollectedbyVatrate=Obrat shromážděný podle sazby daně z prodeje PurchasebyVatrate=Nákup podle sazby daně z prodeje LabelToShow=Krátký štítek -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Obrat z nákupu +PurchaseTurnoverCollected=Shromážděný obrat z nákupu +RulesPurchaseTurnoverDue=- Zahrnuje splatné faktury dodavatele, ať už jsou zaplaceny nebo ne.
- Je založeno na datu fakturace těchto faktur.
+RulesPurchaseTurnoverIn=- Zahrnuje všechny efektivní platby faktur provedených dodavatelům.
- Je založeno na datu splatnosti těchto faktur
+RulesPurchaseTurnoverTotalPurchaseJournal=Zahrnuje všechny debetní řádky z deníku nákupu. +ReportPurchaseTurnover=Fakturovaný obrat z nákupu +ReportPurchaseTurnoverCollected=Shromážděný obrat z nákupu +IncludeVarpaysInResults = Zahrnout různé platby do přehledů +IncludeLoansInResults = Zahrnout půjčky do zpráv diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang index 9ec1ad76886..8fa4aba1287 100644 --- a/htdocs/langs/cs_CZ/errors.lang +++ b/htdocs/langs/cs_CZ/errors.lang @@ -11,7 +11,7 @@ ErrorLoginAlreadyExists=Přihlášení %s již existuje. ErrorGroupAlreadyExists=Skupina %s již existuje. ErrorRecordNotFound=Záznam není nalezen. ErrorFailToCopyFile=Nepodařilo se zkopírovat soubor ' %s' do ' %s'. -ErrorFailToCopyDir=Nepodařilo se zkopírovat složku ' %s ' do ' %s . +ErrorFailToCopyDir=Nepodařilo se zkopírovat adresář „ %s “ do „ %s “. ErrorFailToRenameFile=Nepodařilo se přejmenovat soubor ' %s' na ' %s'. ErrorFailToDeleteFile=Nepodařilo se odstranit soubor %s ErrorFailToCreateFile=Nepodařilo se vytvořit soubor %s @@ -46,7 +46,7 @@ ErrorUserCannotBeDelete=Uživatele nelze smazat. Možná je spojen s entitami Do ErrorFieldsRequired=Některá povinná pole nebyla vyplněna. Neflákejte to !! ErrorSubjectIsRequired=Předmět e-mailu je povinný ErrorFailedToCreateDir=Nepodařilo se vytvořit adresář. Zkontrolujte, zda má uživatel webového serveru oprávnění zapisovat do adresáře dokumentů Dolibarr. Pokud je v tomto PHP aktivován parametr safe_mode, zkontrolujte, zda jsou soubory Dolibarr php vlastní uživateli (nebo skupinou) webového serveru. -ErrorNoMailDefinedForThisUser=Pro tohoto uživatele není definována žádná pošta +ErrorNoMailDefinedForThisUser=Pro tohoto uživatele není definován žádný e-mail ErrorFeatureNeedJavascript=Tato funkce vyžaduje zapnutí javascriptu pro práci. Změňte nastavení v zobrazení nastavení. ErrorTopMenuMustHaveAParentWithId0=Nabídka typu "Top" nemůže mít nadřazenou nabídku. Vložte 0 do rodičovského menu nebo zvolte nabídku typu "Vlevo". ErrorLeftMenuMustHaveAParentId=Nabídka typu "Left" musí mít nadřazený identifikátor. @@ -56,10 +56,10 @@ ErrorFunctionNotAvailableInPHP=Funkce %s je nutné pro tuto funkci, ale n ErrorDirAlreadyExists=Adresář s tímto názvem již existuje. ErrorFileAlreadyExists=Soubor s tímto názvem již existuje. ErrorPartialFile=Soubor nebyl korektně poslán serverem -ErrorNoTmpDir=Dočasné directy %s neexistuje. +ErrorNoTmpDir=Dočasný směr %s neexistuje. ErrorUploadBlockedByAddon=Nahrávání blokováno pluginem PHP / Apache. ErrorFileSizeTooLarge=Soubor je příliš velký. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Pole %s je příliš dlouhé. ErrorSizeTooLongForIntType=Velikost příliš dlouhá pro typ int (%s číslice maximum) ErrorSizeTooLongForVarcharType=Velikost příliš dlouho typu string (%s znaků maximum) ErrorNoValueForSelectType=Vyplňte prosím hodnotu pro vybraný seznam @@ -90,14 +90,14 @@ ErrorFileIsInfectedWithAVirus=Antivirový program nebyl schopen ověřit soubor ErrorSpecialCharNotAllowedForField=Speciální znaky nejsou povoleny pro pole "%s" ErrorNumRefModel=Odkaz obsahuje databázi (%s) a není kompatibilní s tímto pravidlem číslování. Chcete-li tento modul aktivovat, odstraňte záznam nebo přejmenujte odkaz. ErrorQtyTooLowForThisSupplier=Množství příliš nízké pro tohoto prodejce nebo není definovaná cena u tohoto produktu pro tohoto prodejce -ErrorOrdersNotCreatedQtyTooLow=Některé objednávky nebyly vytvořeny z příliš malých množství -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorOrdersNotCreatedQtyTooLow=Některé objednávky nebyly vytvořeny kvůli příliš malému množství +ErrorModuleSetupNotComplete=Nastavení modulu %s vypadá neúplně. Jděte na Domů - Nastavení - Dokončit moduly ErrorBadMask=Chyba na masce ErrorBadMaskFailedToLocatePosOfSequence=Chyba, maska bez pořadového čísla ErrorBadMaskBadRazMonth=Chyba, špatná hodnota po resetu ErrorMaxNumberReachForThisMask=Maximální dosažený počet pro tuto masku ErrorCounterMustHaveMoreThan3Digits=Počítadlo musí mít více než 3 číslice -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Chyba, vyberte alespoň jednu položku. ErrorDeleteNotPossibleLineIsConsolidated=Vymazání není možné, protože záznam je spojen se smíšenou bankovní transakcí ErrorProdIdAlreadyExist=%s je přiřazena další třetině ErrorFailedToSendPassword=Nepodařilo se odeslat heslo @@ -118,9 +118,9 @@ ErrorLoginDoesNotExists=Uživatel s přihlášením %s nebyl nalezen. ErrorLoginHasNoEmail=Tento uživatel nemá žádnou e-mailovou adresu. Proces přerušen. ErrorBadValueForCode=Špatná hodnota pro bezpečnostní kód. Zkuste znovu s novou hodnotou ... ErrorBothFieldCantBeNegative=Pole %s a %s nemohou být záporná -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=Pole %s nemůže být u tohoto typu faktury záporné. Pokud potřebujete přidat řádek slevy, nejprve vytvořte slevu (z pole „%s“ na kartě subjektu) a přiložte ji na fakturu. +ErrorLinesCantBeNegativeForOneVATRate=Celkový počet řádků nemůže být pro danou sazbu DPH záporný. +ErrorLinesCantBeNegativeOnDeposits=Linky nemohou být v záloze záporné. Pokud tak učiníte, budete čelit problémům, kdy budete muset složit zálohu v konečné faktuře. ErrorQtyForCustomerInvoiceCantBeNegative=Množství řádku do zákaznických faktur nemůže být záporné ErrorWebServerUserHasNotPermission=Uživatelský účet %s , který byl použit k provádění webového serveru, nemá k tomu povolení ErrorNoActivatedBarcode=Žádný typ čárového kódu není aktivován @@ -176,12 +176,12 @@ ErrorGlobalVariableUpdater3=Požadované údaje nebyly ve výsledku nalezeny ErrorGlobalVariableUpdater4=SOAP klient selhal s chybou '%s' ErrorGlobalVariableUpdater5=Není vybrána žádná globální proměnná ErrorFieldMustBeANumeric=Pole %s musí být číselná hodnota -ErrorMandatoryParametersNotProvided=Povinné parametry nebyly poskytnuty +ErrorMandatoryParametersNotProvided=Povinné paramet(r)y nebyly poskytnuty ErrorOppStatusRequiredIfAmount=Nastavíte odhadovanou částku pro toto vedení. Takže musíte také zadat jeho stav. ErrorFailedToLoadModuleDescriptorForXXX=Nepodařilo se načíst třídu deskriptoru modulu pro %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Špatná definice pole nabídek v popisu modulu (špatná hodnota pro klíč fk_menu) ErrorSavingChanges=Při ukládání změn došlo k chybě -ErrorWarehouseRequiredIntoShipmentLine=Sklad je zapotřebí na lince na dopravu +ErrorWarehouseRequiredIntoShipmentLine=Sklad je vyžadován na lince k odeslání ErrorFileMustHaveFormat=Soubor musí mít formát %s ErrorSupplierCountryIsNotDefined=Země pro tohoto dodavatele není definována. Nejprve to opravte. ErrorsThirdpartyMerge=Nepodařilo se sloučit dva záznamy. Požadavek zrušen. @@ -199,7 +199,7 @@ ErrorPhpMailDelivery=Zkontrolujte, zda nepoužíváte příliš velký počet p ErrorUserNotAssignedToTask=Uživatel musí být přiřazen k úloze, aby mohl zadat čas potřebný k práci. ErrorTaskAlreadyAssigned=Úkol je již přiřazen uživateli ErrorModuleFileSeemsToHaveAWrongFormat=Balíček modul vypadá, že má chybný formát. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s +ErrorModuleFileSeemsToHaveAWrongFormat2=Do ZIP modulu musí existovat alespoň jeden povinný adresář: %s nebo %s ErrorFilenameDosNotMatchDolibarrPackageRules=Název balíčku modulu ( %s) neodpovídá očekávané syntaxi název: %s Nemůžete sem cpát všechno, co vás napadne ...... ErrorDuplicateTrigger=Chyba, duplicitní název spouštěče %s. Je již načten z %s. ErrorNoWarehouseDefined=Chyba, nejsou definovány žádné sklady. Z luftu produkt nepřidáte ..... @@ -221,31 +221,31 @@ ErrorBadSyntaxForParamKeyForContent=Špatná syntaxe pro parametr keyforfortent. ErrorVariableKeyForContentMustBeSet=Chyba, musí být nastavena konstanta s názvem %s (s obsahem textu, který se má zobrazit) nebo %s (s externí adresou URL). ErrorURLMustStartWithHttp=Adresa URL %s musí začínat http: // nebo https: // ErrorNewRefIsAlreadyUsed=Chyba, nový odkaz je již použit -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Chyba, odstranění platby spojené s uzavřenou fakturou není možné. +ErrorSearchCriteriaTooSmall=Vyhledávací kritéria jsou příliš malá. +ErrorObjectMustHaveStatusActiveToBeDisabled=Objekty musí mít stav „Aktivní“, aby mohly být deaktivovány +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Aby mohly být objekty povoleny, musí mít stav 'Koncept' nebo 'Zakázáno' +ErrorNoFieldWithAttributeShowoncombobox=Žádná pole nemají vlastnost 'showoncombobox' do definice objektu '%s'. Žádný způsob, jak ukázat combolist +ErrorFieldRequiredForProduct=Pole „%s“ je povinné pro produkt %s +ProblemIsInSetupOfTerminal=Problém je v nastavení terminálu %s. +ErrorAddAtLeastOneLineFirst=Nejprve přidejte alespoň jeden řádek +ErrorRecordAlreadyInAccountingDeletionNotPossible=Chyba, záznam je již v účetnictví přenesen, vymazání není možné. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Chyba, jazyk je povinný, pokud stránku nastavíte jako překlad jiného. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Chyba, jazyk přeložené stránky je stejný než tento. +ErrorBatchNoFoundForProductInWarehouse=Ve skladu "%s" nebyl nalezen žádný šarže / seriál "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Na produkt „%s“ ve skladu „%s“ není dostatek množství pro tuto šarži / seriál. +ErrorOnlyOneFieldForGroupByIsPossible=Je možné pouze 1 - slovy jedno pole pro „Group by“ (ostatní jsou zahozeny) +ErrorTooManyDifferentValueForSelectedGroupBy=Bylo nalezeno příliš mnoho různých hodnot (více než %s ) pro pole „ %s “, takže ji nelze použít jako grafiku a. Pole „Skupina podle“ bylo odstraněno. Možná budete chtít použít jako X-Axis? +ErrorReplaceStringEmpty=Chyba, řetězec, který chcete nahradit, je prázdný # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Váš parametr PHP upload_max_filesize (%s) je vyšší než parametr PHP post_max_size (%s). Toto není konzistentní nastavení. WarningPasswordSetWithNoAccount=Pro tohoto člena bylo nastaveno heslo. Nebyl však vytvořen žádný uživatelský účet. Toto heslo je uloženo, ale nemůže být použito pro přihlášení k Dolibarr. Může být použito externím modulem / rozhraním, ale pokud nemáte pro člena definováno žádné přihlašovací jméno ani heslo, můžete vypnout možnost "Správa přihlášení pro každého člena" z nastavení modulu člena. Pokud potřebujete spravovat přihlašovací údaje, ale nepotřebujete žádné heslo, můžete toto pole ponechat prázdné, abyste se tomuto varování vyhnuli. Poznámka: E-mail může být také použit jako přihlašovací jméno, pokud je člen připojen k uživateli. WarningMandatorySetupNotComplete=Klikněte zde pro nastavení povinných parametrů WarningEnableYourModulesApplications=Kliknutím zde povolíte moduly a aplikace WarningSafeModeOnCheckExecDir=Upozornění: volba PHP safe_mode je taková, že příkaz musí být uložen uvnitř adresáře deklarovaného parametrem php safe_mode_exec_dir . WarningBookmarkAlreadyExists=Záložka s tímto názvem, nebo tento cíl (URL) již existuje. WarningPassIsEmpty=Upozornění: Heslo databáze je prázdné. To je bezpečnostní díra. Do databáze byste měli přidat heslo a změnit tento soubor conf.php. Pokud to neuděláte, koledujete si o problémy .... -WarningConfFileMustBeReadOnly=Upozorňujeme, že váš konfigurační soubor ( htdocs / conf / conf.php ) může být přepsán webovým serverem. To je vážná bezpečnostní díra. Upravte oprávnění pro soubor, který má být v režimu pouze pro čtení pro uživatele operačního systému, který používá webový server. Pokud pro váš disk používáte formát Windows a FAT, musíte vědět, že tento souborový systém neumožňuje přidávat oprávnění k souboru, takže nemůže být zcela bezpečný. (prostě - Widle nejsou Linux ...) +WarningConfFileMustBeReadOnly=Upozorňujeme, že váš konfigurační soubor ( htdocs / conf / conf.php ) může být přepsán webovým serverem. To je vážná bezpečnostní díra. Upravte oprávnění pro soubor, který má být v režimu pouze pro čtení pro uživatele operačního systému, který používá webový server. Pokud pro váš disk používáte formát Windows a FAT, musíte vědět, že tento souborový systém neumožňuje přidávat oprávnění k souboru, takže nemůže být zcela bezpečný. Prostě - Widle nejsou Linux ... WarningsOnXLines=Upozornění na %s zdrojovém záznamu(y) WarningNoDocumentModelActivated=Pro generování dokumentů nebyl aktivován žádný model. Model bude ve výchozím nastavení vybrán, dokud nezkontrolujete nastavení modulu. WarningLockFileDoesNotExists=Po dokončení instalace musíte zakázat instalační / migrační nástroje přidáním souboru install.lock do adresáře %s. Vynechání vytvoření tohoto souboru je závažným bezpečnostním rizikem. @@ -262,4 +262,5 @@ WarningAnEntryAlreadyExistForTransKey=Položka již existuje pro překladatelsk WarningNumberOfRecipientIsRestrictedInMassAction=Upozornění: počet různých příjemců je omezen na %s při použití hromadných akcí v seznamech WarningDateOfLineMustBeInExpenseReportRange=Upozornění: datum řádku není v rozsahu výkazu výdajů WarningProjectClosed=Projekt je uzavřen. Nejprve je musíte znovu otevřít. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningSomeBankTransactionByChequeWereRemovedAfter=Některé bankovní transakce byly odstraněny poté, co byly vygenerovány potvrzení včetně těchto. Počet kontrol a celkový příjem se tedy může lišit od počtu a celkového počtu v seznamu. Špek pro případnou kontrolu !! +WarningFailedToAddFileIntoDatabaseIndex=Výstraha: Nepodařilo se přidat položku souboru do indexové tabulky databáze ECM diff --git a/htdocs/langs/cs_CZ/holiday.lang b/htdocs/langs/cs_CZ/holiday.lang index 3d3fb998948..2fdb9075d72 100644 --- a/htdocs/langs/cs_CZ/holiday.lang +++ b/htdocs/langs/cs_CZ/holiday.lang @@ -17,7 +17,7 @@ ValidatorCP=Schválil ListeCP=Seznam dovolených LeaveId=Zanechte ID ReviewedByCP=Bude přezkoumána -UserID=User ID +UserID=uživatelské ID UserForApprovalID=Uživatel pro ID schválení UserForApprovalFirstname=Jméno uživatele schválení UserForApprovalLastname=Příjmení schvalovacího uživatele @@ -39,10 +39,10 @@ TypeOfLeaveId=Typ ID dovolené TypeOfLeaveCode=Typ kódu dovolené TypeOfLeaveLabel=Typ štítku na dovolenou NbUseDaysCP=Počet dní vyčerpané dovolené -NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. +NbUseDaysCPHelp=Výpočet zohledňuje dny pracovního klidu a svátky definované ve slovníku. NbUseDaysCPShort=Počet spotřebovaných dnů NbUseDaysCPShortInMonth=Dny spotřebované v měsíci -DayIsANonWorkingDay=%s is a non working day +DayIsANonWorkingDay=%s je nepracovní den DateStartInMonth=Datum zahájení v měsíci DateEndInMonth=Datum ukončení v měsíci EditCP=Upravit @@ -121,7 +121,7 @@ HolidaysRefused=Požadavek zamítnut HolidaysRefusedBody=Vaše žádost o dovolenou pro %s do %s byla zamítnuta z těchto důvodů: HolidaysCanceled=Zrušené požadavky na dovolenou HolidaysCanceledBody=Vaše žádost o dovolenou pro %s na %s byla zrušena. -FollowedByACounter=1: Tento typ dovolené musí být následován počítadlem. Čítač se zvyšuje ručně nebo automaticky a po potvrzení žádosti o dovolenou je počitadlo snižováno.
0: Následují počítadlo. +FollowedByACounter=1: Za tímto typem dovolené musí následovat přepážka. Počítadlo se zvyšuje ručně nebo automaticky a po ověření požadavku na dovolenou se počítadlo sníží.
0: Nesleduje počítadlo. NoLeaveWithCounterDefined=Neexistují definované typy dovolených, které musí následovat počítadlo GoIntoDictionaryHolidayTypes=Přejděte do Domovská stránka - Nastavení - Slovníky - Typ dovolené a nastavte různé typy listů. HolidaySetup=Nastavení modulu Dovolená @@ -129,5 +129,5 @@ HolidaysNumberingModules=Zanechat modely číslování žádostí TemplatePDFHolidays=Šablona pro žádosti o dovolenou PDF FreeLegalTextOnHolidays=Volný text ve formátu PDF WatermarkOnDraftHolidayCards=Vodoznaky na žádosti o povolení dovolené -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays +HolidaysToApprove=Svátky ke schválení +NobodyHasPermissionToValidateHolidays=Nikdo nemá povolení k ověření svátků diff --git a/htdocs/langs/cs_CZ/hrm.lang b/htdocs/langs/cs_CZ/hrm.lang index 2993e211737..3ea1914898c 100644 --- a/htdocs/langs/cs_CZ/hrm.lang +++ b/htdocs/langs/cs_CZ/hrm.lang @@ -1,17 +1,17 @@ # Dolibarr language file - en_US - hrm # Admin HRM_EMAIL_EXTERNAL_SERVICE=E-mail pro zabránění externí službě HRM -Establishments=Podniky -Establishment=Podnik -NewEstablishment=Nový podník -DeleteEstablishment=Smazat podnik -ConfirmDeleteEstablishment=Opravdu chcete smazat tento podnik? -OpenEtablishment=Otevřít podnik -CloseEtablishment=Zavřít podník +Establishments=Provozovny +Establishment=Zřízení +NewEstablishment=Nové zařízení +DeleteEstablishment=Smazat zařízení +ConfirmDeleteEstablishment=Opravdu chcete toto zařízení smazat? +OpenEtablishment=Otevřít zařízení +CloseEtablishment=Zavřít zařízení # Dictionary DictionaryPublicHolidays=HRM - státní svátky DictionaryDepartment=HRM - Seznam oddělení -DictionaryFunction=HRM - Seznam funkcí +DictionaryFunction=HRM - Pracovní pozice # Module Employees=Zaměstnanci Employee=Zaměstnanec diff --git a/htdocs/langs/cs_CZ/install.lang b/htdocs/langs/cs_CZ/install.lang index bdc4d493fd7..5d0bb610b03 100644 --- a/htdocs/langs/cs_CZ/install.lang +++ b/htdocs/langs/cs_CZ/install.lang @@ -13,22 +13,22 @@ PHPSupportPOSTGETOk=Tato PHP instalace podporuje proměnné POST a GET. PHPSupportPOSTGETKo=Je možné, že vaše instalace PHP nepodporuje proměnné POST a/nebo GET. Zkontrolujte parametr variables_order ve Vašem php.ini. PHPSupportGD=Tato PHP instalace podporuje GD grafické funkce. PHPSupportCurl=Tato konfigurace PHP podporuje Curl. -PHPSupportCalendar=This PHP supports calendars extensions. +PHPSupportCalendar=Tento PHP podporuje rozšíření kalendářů. PHPSupportUTF8=Tato PHP instalace podporuje UTF8 funkce. PHPSupportIntl=Tato instalace PHP podporuje funkce Intl. -PHPSupportxDebug=This PHP supports extended debug functions. -PHPSupport=This PHP supports %s functions. +PHPSupportxDebug=Toto PHP podporuje rozšířené funkce ladění. +PHPSupport=Toto PHP podporuje funkce %s. PHPMemoryOK=Maximální velikost relace je nastavena na %s. To by mělo stačit. PHPMemoryTooLow=Maximální velikost relace je nastavena na %s bajtů. To bohužel nestačí. Zvyšte svůj parametr memory_limit ve Vašem php.ini na minimální velikost %s bajtů. Recheck=Klikněte zde pro více vypovídající test ErrorPHPDoesNotSupportSessions=Vaše instalace PHP nepodporuje relace. Tato funkce je nutná, pro správnou funkčnost Dolibarr. Zkontrolujte Vaše PHP nastavení a oprávnění v adresáři relace. ErrorPHPDoesNotSupportGD=Tato PHP instalace nepodporuje GD grafické funkce. Žádný graf nebude k dispozici. ErrorPHPDoesNotSupportCurl=Vaše instalace PHP nepodporuje Curl. -ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. +ErrorPHPDoesNotSupportCalendar=Vaše instalace PHP nepodporuje rozšíření kalendáře php. ErrorPHPDoesNotSupportUTF8=Tato PHP instalace nepodporuje UTF8 funkce. Tato funkce je nutná, pro správnou funkčnost Dolibarr. Zkontrolujte Vaše PHP nastavení. ErrorPHPDoesNotSupportIntl=Instalace PHP nepodporuje funkce Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. +ErrorPHPDoesNotSupportxDebug=Vaše instalace PHP nepodporuje funkce rozšířeného ladění. +ErrorPHPDoesNotSupport=Vaše instalace PHP nepodporuje funkce %s. ErrorDirDoesNotExists=Adresář %s neexistuje. ErrorGoBackAndCorrectParameters=Vraťte se zpět a zkontrolujte / opravte špatné parametry. ErrorWrongValueForParameter=Možná jste zadali nesprávnou hodnotu pro parametr '%s'. @@ -93,7 +93,7 @@ GoToSetupArea=Přejít na Dolibarr (Oblast Nastavení) MigrationNotFinished=Verze Vaší databáze není zcela aktuální, budete muset spustit aktualizaci znovu. GoToUpgradePage=Přejít znovu na aktualizační stránku WithNoSlashAtTheEnd=Bez lomítka "/" na konci -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation= DŮLEŽITÉ : Musíte použít adresář, který je mimo webové stránky (nepoužívejte tedy podadresář předchozího parametru). LoginAlreadyExists=Již existuje DolibarrAdminLogin=Login Dolibarr administrátora AdminLoginAlreadyExists=Účet administrátora Dolibarru '%s' již existuje. Běžte zpět, pro vytvoření jiného účtu. @@ -143,7 +143,7 @@ LastStepDesc=  Poslední krok : Definujte zde přihlašovací ActivateModule=Aktivace modulu %s ShowEditTechnicalParameters=Klikněte zde pro zobrazení / editaci pokročilých parametrů (pro experty) WarningUpgrade=Varování:\nSpustili jste nejdříve zálohu databáze?\nTo je důrazně doporučeno. Ztráta dat (kvůli například chybám v mysql verzi 5.5.40 / 41/42/43) může být během tohoto procesu možná, takže je nezbytné před zahájením jakékoliv migrace provést kompletní zálohu databáze.\n\nKlepnutím na tlačítko OK spustíte proces migrace ... -ErrorDatabaseVersionForbiddenForMigration=Vaše verze databáze je %s. Má kritickou chybu, což způsobuje ztrátu dat, pokud provádíte strukturální změny ve své databázi, které vyžaduje proces migrace. Z tohoto důvodu nebude migrace povolena, dokud neupravíte databázi na vyšší fixní verzi (seznam známých chybových verzí: %s) +ErrorDatabaseVersionForbiddenForMigration=Vaše verze databáze je %s. Má kritickou chybu, což způsobuje ztrátu dat, pokud provádíte strukturální změny ve své databázi, které vyžaduje proces migrace. Z tohoto důvodu nebude migrace povolena, dokud neupravíte databázi na vyšší (fixní) verzi (seznam známých chybových verzí: %s) KeepDefaultValuesWamp=Použili jste Průvodce nastavením Dolibarr z DoliWamp, takže zde navrhované hodnoty jsou již optimalizovány. Změňte je pouze tehdy, pokud víte, co děláte. KeepDefaultValuesDeb=Použili jste Průvodce nastavením Dolibarr z balíku Linux (Ubuntu, Debian, Fedora ...), takže zde navrhované hodnoty jsou již optimalizovány. Musí být zadáno pouze heslo vlastníka databáze, které má být vytvořeno. Změňte jiné parametry, pouze pokud víte, co děláte. KeepDefaultValuesMamp=Použili jste průvodce nastavením Dolibarr z nástroje DoliMamp, takže zde navrhované hodnoty jsou již optimalizovány. Změňte je pouze tehdy, pokud víte, co děláte. @@ -172,7 +172,7 @@ MigrationContractsUpdate=Oprava smluvních dat MigrationContractsNumberToUpdate=%s smlouva(y) k aktualizaci MigrationContractsLineCreation=Vytvořte řádky pro smlouvu %s MigrationContractsNothingToUpdate=Žádné další úkoly -MigrationContractsFieldDontExist=Field fk_facture již neexistuje. Není co dělat. +MigrationContractsFieldDontExist=Pole fk_facture již neexistuje. Není co dělat. MigrationContractsEmptyDatesUpdate=Oprava prázdného data smlouvy MigrationContractsEmptyDatesUpdateSuccess=Oprava prázdného data smlouvy proběhla úspěšně MigrationContractsEmptyDatesNothingToUpdate=Žádné prázdné datum smlouvy k opravě @@ -209,15 +209,15 @@ MigrationRemiseExceptEntity=Aktualizujte hodnotu pole entity llx_societe_remise_ MigrationUserRightsEntity=Aktualizujte hodnotu pole entity llx_user_rights MigrationUserGroupRightsEntity=Aktualizovat hodnotu pole entita llx_usergroup_rights MigrationUserPhotoPath=Migrace fotografických cest pro uživatele -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationFieldsSocialNetworks=Migrace uživatelů v sociálních sítích (%s) MigrationReloadModule=Načíst modul %s MigrationResetBlockedLog=Resetovat modul BlockedLog pro algoritmus v7 ShowNotAvailableOptions=Zobrazit nedostupné volby HideNotAvailableOptions=Skrýt nedostupné možnosti -ErrorFoundDuringMigration=Byly hlášeny chyby během procesu migrace, takže další krok není k dispozici. Chcete-li ignorovat chyby, můžete kliknout zde , ale aplikace nebo některé funkce nemusí pracovat správně, dokud nejsou chyby vyřešeny. +ErrorFoundDuringMigration=Byly hlášeny chyb(a)y během procesu migrace, takže další krok není k dispozici. Chcete-li ignorovat chyby, můžete kliknout zde , ale aplikace nebo některé funkce nemusí pracovat správně, dokud nejsou chyby vyřešeny. YouTryInstallDisabledByDirLock=Aplikace se pokoušela samoinnicializovat, ale stránky pro instalaci / upgrade byly pro zabezpečení zakázány (adresář byl přejmenován na příponu .lock).
YouTryInstallDisabledByFileLock=Aplikace se pokoušela o vlastní inovaci, ale stránky s instalací / upgradem byly zakázány z důvodu zabezpečení (existence souboru zámku install.lock v adresáři dokumentů dolibarr).
ClickHereToGoToApp=Kliknutím sem přejdete do aplikace -ClickOnLinkOrRemoveManualy=Klikněte na následující odkaz. Pokud vždy vidíte stejnou stránku, musíte odstranit / přejmenovat soubor install.lock v adresáři dokumentů. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Pokud probíhá aktualizace, počkejte prosím. Pokud ne, klikněte na následující odkaz. Pokud vždy vidíte stejnou stránku, musíte odebrat / přejmenovat soubor install.lock v adresáři dokumentů. +Loaded=Načteno +FunctionTest=Test funkce diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang index 827bdef2db1..55be67bde38 100644 --- a/htdocs/langs/cs_CZ/main.lang +++ b/htdocs/langs/cs_CZ/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Pro tento typ e-mailu není k dispozici žádná šablona AvailableVariables=K dispozici substituční proměnné NoTranslation=Překlad není Translation=Překlad -EmptySearchString=Enter a non empty search string +EmptySearchString=Zadejte neprázdná kritéria vyhledávání NoRecordFound=Nebyl nalezen žádný záznam NoRecordDeleted=Žádný záznam nebyl smazán NotEnoughDataYet=Nedostatek dat @@ -79,8 +79,8 @@ FileRenamed=Soubor byl úspěšně přejmenován FileGenerated=Soubor byl úspěšně vygenerován FileSaved=Soubor byl úspěšně uložen FileUploaded=Soubor byl úspěšně nahrán -FileTransferComplete=Soubory byly úspěšně nahrány -FilesDeleted=Soubory byly úspěšně smazány +FileTransferComplete=Soubor(y) byly úspěšně nahrány +FilesDeleted=Soubor(y) byly úspěšně smazány FileWasNotUploaded=Soubor vybrán pro připojení, ale ještě nebyl nahrán. Klikněte na "Přiložit soubor". NbOfEntries=Počet vstupů GoToWikiHelpPage=Přečtěte si online nápovědu (přístup k internetu je potřeba) @@ -114,7 +114,7 @@ InformationToHelpDiagnose=Tyto informace mohou být užitečné pro diagnostick MoreInformation=Více informací TechnicalInformation=Technická informace TechnicalID=Technické ID -LineID=Line ID +LineID=ID řádku NotePublic=Poznámka (veřejné) NotePrivate=Poznámka (soukromé) PrecisionUnitIsLimitedToXDecimals=Dolibarr byl nastaven pro limit přesnosti jednotkových cen na %s desetinných míst. @@ -148,7 +148,7 @@ Enabled=Povoleno Enable=Umožnit Deprecated=Zastaralá Disable=Zakázat -Disabled=Invalidní +Disabled=Zakázáno Add=Přidat AddLink=Přidat odkaz RemoveLink=Odebrat odkaz @@ -162,7 +162,7 @@ Delete=Vymazat Remove=Odstranit Resiliate=přerušit Cancel=Zrušit -Modify=Upravit +Modify=Modifikovat Edit=Upravit Validate=Potvrdit ValidateAndApprove=Ověřeno a schváleno @@ -170,11 +170,11 @@ ToValidate=Chcete-li ověřit NotValidated=Neověřeno Save=Uložit SaveAs=Uložit jako -SaveAndStay=Save and stay -SaveAndNew=Save and new -TestConnection=Zkušební připojení +SaveAndStay=Uložit a zůstat +SaveAndNew=Uložit a nové +TestConnection=Vyzkoušejte připojení ToClone=Klon -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Opravdu chcete klonovat objekt %s ? ConfirmClone=Vyberte data, která chcete klonovat: NoCloneOptionsSpecified=Nejsou definovány žádné údaje ke klonování. Of=z @@ -187,6 +187,8 @@ ShowCardHere=Zobrazit kartu Search=Vyhledávání SearchOf=Vyhledávání SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Rychlé přidání +QuickAddMenuShortCut=Ctrl + shift + l Valid=Platný Approve=Schvalovat Disapprove=Neschváleno @@ -243,7 +245,7 @@ Numero=Číslo Limit=Omezení Limits=Limity Logout=Odhlášení -NoLogoutProcessWithAuthMode=Žádná aplikovaná odpojená funkce s režimem ověřování %s +NoLogoutProcessWithAuthMode=Žádná funkce odpojení aplikace s režimem ověřování %s Connection=Přihlášení Setup=Nastavení Alert=Upozornění @@ -304,10 +306,10 @@ Minute=Minuta Second=Druhý Years=Roky Months=Měsíce -Days=Days +Days=Dny days=dny Hours=Hodiny -Minutes=Zápis +Minutes=Minut Seconds=Sekundy Weeks=Týdny Today=Dnes @@ -344,7 +346,7 @@ Price=Cena PriceCurrency=Cena (měna) UnitPrice=Jednotková cena UnitPriceHT=Jednotková cena (bez DPH) -UnitPriceHTCurrency=Jednotková cena (bez měny) +UnitPriceHTCurrency=Jednotková cena (bez) (měny) UnitPriceTTC=Jednotková cena PriceU=UP PriceUHT=UP (bez DPH) @@ -353,16 +355,16 @@ PriceUTTC=U.P. (Včetně daně) Amount=Množství AmountInvoice=Fakturovaná částka AmountInvoiced=Fakturovaná částka -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Fakturovaná částka (včetně daně) +AmountInvoicedTTC=Fakturovaná částka (bez daně) AmountPayment=Částka platby AmountHTShort=Částka (bez) AmountTTCShort=Částka (vč. DPH) AmountHT=Částka (bez daně) AmountTTC=Částka (vč. DPH) AmountVAT=Částka daně -MulticurrencyAlreadyPaid=Již zaplacená, původní měna -MulticurrencyRemainderToPay=Zůstaňte platit, původní měnu +MulticurrencyAlreadyPaid=Již zaplaceno, původní měna +MulticurrencyRemainderToPay=Zbývá platit, původní měna MulticurrencyPaymentAmount=Výše platby, původní měna MulticurrencyAmountHT=Částka (bez daně), původní měna MulticurrencyAmountTTC=Částka (vč. Daně), původní měně @@ -420,12 +422,13 @@ Average=Průměr Sum=Součet Delta=Delta StatusToPay=Zaplatit -RemainToPay=Zůstaňte platit -Module=Modul / aplikace -Modules=Moduly / aplikace +RemainToPay=Zbývá platit +Module=Modul/aplikace +Modules=Moduly/aplikace Option=Volba List=Seznam FullList=Plný seznam +FullConversation=Plná konverzace Statistics=Statistika OtherStatistics=Další statistiky Status=Postavení @@ -447,21 +450,21 @@ ActionRunningShort=probíhá ActionDoneShort=Ukončený ActionUncomplete=Neúplný LatestLinkedEvents=Nejnovější události spojené s %s -CompanyFoundation=Společnost / Organizace +CompanyFoundation=Společnost/Organizace Accountant=Účetní ContactsForCompany=Kontakty pro tento subjekt ContactsAddressesForCompany=Kontakty/adresy pro tento subjekt AddressesForCompany=Adresy pro tento subjekt ActionsOnCompany=Události pro tento subjekt ActionsOnContact=Události pro tento kontakt / adresu -ActionsOnContract=Events for this contract +ActionsOnContract=Události pro tuto smlouvu ActionsOnMember=Akce u tohoto uživatele ActionsOnProduct=Události týkající se tohoto produktu NActionsLate=%s pozdě ToDo=Dělat Completed=Dokončeno Running=probíhá -RequestAlreadyDone=Poptávka je již zaznamenaná +RequestAlreadyDone=Žádost již byla zaznamenána Filter=Filtr FilterOnInto=Kritéria vyhledávání ' %s ' do polí %s RemoveFilter=Vyjměte filtr @@ -474,7 +477,7 @@ TotalDuration=Celková doba trvání Summary=Shrnutí DolibarrStateBoard=Statistika databází DolibarrWorkBoard=Otevřete položky -NoOpenedElementToProcess=No open element to process +NoOpenedElementToProcess=Žádný otevřený prvek ke zpracování Available=Dostupný NotYetAvailable=Zatím není k dispozici NotAvailable=Není k dispozici @@ -663,6 +666,7 @@ Owner=Majitel FollowingConstantsWillBeSubstituted=Následující konstanty budou nahrazeny odpovídající hodnotou. Refresh=Obnovit BackToList=Zpět na seznam +BackToTree=Zpět na strom GoBack=Návrat CanBeModifiedIfOk=Může být změněn, pokud platí CanBeModifiedIfKo=Může být změněn, pokud není platný @@ -672,7 +676,7 @@ RecordCreatedSuccessfully=Záznam byl úspěšně vytvořen RecordModifiedSuccessfully=Nahrávání bylo úspěšně upraveno RecordsModified=%s záznam (y) změněn RecordsDeleted=%s záznam (y) byl smazán -RecordsGenerated=%s zaznamenány záznamy +RecordsGenerated=%s zaznamenány záznam(y) AutomaticCode=Automatický kód FeatureDisabled=Funkce vypnuta MoveBox=Přesun widgetu @@ -715,13 +719,13 @@ DateOfSignature=Datum podpisu HidePassword=Zobrazit příkaz s heslem skryté UnHidePassword=Zobrazit skutečný příkaz s odstraněným heslem Root=Kořen -RootOfMedias=Root of public medias (/medias) +RootOfMedias=Kořen veřejných médií (/ médií) Informations=Informace Page=Strana Notes=Poznámky AddNewLine=Přidat nový řádek AddFile=Přidat soubor -FreeZone=Ne předdefinovaný produkt / služba +FreeZone=Nejedná se o předdefinovaný produkt/službu FreeLineOfType=Volně textová položka, typ: CloneMainAttributes=Duplikovat objekt s jeho hlavními atributy ReGeneratePDF=Znovu generovat PDF @@ -744,7 +748,7 @@ NotSupported=Není podporováno RequiredField=Povinné pole Result=Výsledek ToTest=Test -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Před použitím této funkce musí být položka ověřena Visibility=Viditelnost Totalizable=Souhrnné TotalizableDesc=Toto pole je souhrnné v seznamu @@ -772,7 +776,7 @@ LinkToSupplierProposal=Odkaz na návrh dodavatele LinkToSupplierInvoice=Odkaz na fakturu dodavatele LinkToContract=Odkaz na smlouvu LinkToIntervention=Odkaz na intervenci -LinkToTicket=Link to ticket +LinkToTicket=Odkaz na lístek CreateDraft=Vytvořte návrh SetToDraft=Zrušit návrh ClickToEdit=Klepnutím lze upravit @@ -813,7 +817,7 @@ SetBankAccount=Definujte bankovní účet AccountCurrency=Měna účtu ViewPrivateNote=Zobrazit poznámky XMoreLines=%s řádky(ů) skryto -ShowMoreLines=Zobrazit více / méně řádků +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 @@ -830,22 +834,23 @@ Gender=Pohlaví Genderman=Muž Genderwoman=Žena ViewList=Zobrazení seznamu -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Ganttův pohled +ViewKanban=Kanban pohled Mandatory=povinné Hello=Ahoj GoodBye=No, nazdar ... Sincerely=S pozdravem -ConfirmDeleteObject=Are you sure you want to delete this object? +ConfirmDeleteObject=Opravdu chcete tento objekt odstranit? DeleteLine=Odstranění řádku ConfirmDeleteLine=Jste si jisti, že chcete smazat tento řádek? +ErrorPDFTkOutputFileNotFound=Chyba: soubor nebyl vygenerován. Zkontrolujte, zda je příkaz 'pdftk' nainstalován v adresáři zahrnutém do proměnné prostředí $ PATH (pouze linux/unix), nebo se obraťte na správce systému. NoPDFAvailableForDocGenAmongChecked=Pro vytváření dokumentů nebyl k dispozici žádný dokument PDF mezi zaznamenaným záznamem TooManyRecordForMassAction=Příliš mnoho záznamů bylo vybráno pro hromadnou akci. Akce je omezena na seznam záznamů %s. NoRecordSelected=Nevybrán žádný záznam MassFilesArea=Plocha pro soubory postavený masových akcí ShowTempMassFilesArea=Show area souborů postavený masových akcí ConfirmMassDeletion=Hromadné smazání potvrzení -ConfirmMassDeletionQuestion=Opravdu chcete odstranit vybrané záznamy %s? +ConfirmMassDeletionQuestion=Opravdu chcete odstranit vybraný záznam(y) %s? RelatedObjects=Související objekty ClassifyBilled=Označit jako účtováno ClassifyUnbilled=Zařadit nevyfakturované @@ -853,24 +858,24 @@ Progress=Pokrok ProgressShort=Progr. FrontOffice=Přední kancelář BackOffice=Back office -Submit=Submit +Submit=Předložit View=Pohled Export=Export Exports=Exporty ExportFilteredList=Export filtrovaný seznam ExportList=seznam export ExportOptions=Možnosti exportu -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=Zahrnout již exportované dokumenty +ExportOfPiecesAlreadyExportedIsEnable=Export již exportovaných kusů je povolen +ExportOfPiecesAlreadyExportedIsDisable=Export již exportovaných kusů je zakázán +AllExportedMovementsWereRecordedAsExported=Všechny exportované pohyby byly zaznamenány jako exportované +NotAllExportedMovementsCouldBeRecordedAsExported=Ne všechny exportované pohyby nelze zaznamenat jako exportované Miscellaneous=Smíšený Calendar=Kalendář GroupBy=Skupina vytvořená... ViewFlatList=Zobrazit seznam plochý RemoveString=Odstraňte řetězec ‚%s‘ -SomeTranslationAreUncomplete=Některé nabízené jazyky mohou být pouze částečně přeloženy nebo mohou obsahovat chyby. Pomozte prosím opravit svůj jazyk registrováním na https://transifex.com/projects/p/dolibarr/ a přidejte své vylepšení. +SomeTranslationAreUncomplete=Některé nabízené jazyky mohou být pouze částečně přeloženy nebo mohou obsahovat chyby. Český překlad je jen základní a orientační, může být nepřesný a mimo kontext. Pomozte prosím opravit svůj jazyk registrováním na https://transifex.com/projects/p/dolibarr/ a přidejte své vylepšení. DirectDownloadLink=Přímý odkaz ke stažení (veřejné / externí) DirectDownloadInternalLink=Přímý odkaz na stažení (musí být zaznamenáván a potřebuje oprávnění) Download=Stažení @@ -953,12 +958,13 @@ SearchIntoMembers=Členové SearchIntoUsers=Uživatelé SearchIntoProductsOrServices=Produkty nebo služby SearchIntoProjects=Projekty +SearchIntoMO=Výrobní zakázky SearchIntoTasks=Úkoly SearchIntoCustomerInvoices=faktury zákazníků SearchIntoSupplierInvoices=Faktury dodavatele SearchIntoCustomerOrders=Prodejní objednávky SearchIntoSupplierOrders=Objednávky -SearchIntoCustomerProposals=návrhy zákazníků +SearchIntoCustomerProposals=Obchodní nabídky SearchIntoSupplierProposals=Návrhy dodavatele SearchIntoInterventions=Intervence SearchIntoContracts=Smlouvy @@ -993,38 +999,43 @@ TMenuMRP=MRP ShowMoreInfos=Zobrazit další informace NoFilesUploadedYet=Nejprve nahrajte dokument SeePrivateNote=Viz soukromá poznámka -PaymentInformation=Payment information -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users -ToClose=To close +PaymentInformation=Informace o platbě +ValidFrom=Platnost od +ValidUntil=v platnosti, dokud +NoRecordedUsers=Žádní uživatelé +ToClose=Zavřít ToProcess=Ve zpracování -ToApprove=To approve -GlobalOpenedElemView=Global view -NoArticlesFoundForTheKeyword=No article found for the keyword '%s' -NoArticlesFoundForTheCategory=No article found for the category -ToAcceptRefuse=To accept | refuse +ToApprove=Schválit +GlobalOpenedElemView=Globální pohled +NoArticlesFoundForTheKeyword=Nebyl nalezen žádný článek pro klíčové slovo ' %s ' +NoArticlesFoundForTheCategory=Pro tuto kategorii nebyl nalezen žádný článek +ToAcceptRefuse=Přijmout | odmítnout ContactDefault_agenda=Událost ContactDefault_commande=Pořadí ContactDefault_contrat=Smlouva ContactDefault_facture=Faktura ContactDefault_fichinter=Intervence -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order +ContactDefault_invoice_supplier=Faktura dodavatele +ContactDefault_order_supplier=Nákupní objednávka ContactDefault_project=Projekt ContactDefault_project_task=Úkol ContactDefault_propal=Nabídka -ContactDefault_supplier_proposal=Supplier Proposal +ContactDefault_supplier_proposal=Návrh dodavatele ContactDefault_ticket=Lístek -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +ContactAddedAutomatically=Kontakt byl přidán z kontaktních rolí subjektu +More=Více +ShowDetails=Ukázat detaily +CustomReports=Vlastní přehledy +StatisticsOn=Statistiky o +SelectYourGraphOptionsFirst=Vyberte možnosti grafu pro vytvoření grafu +Measures=Opatření +XAxis=Osa X +YAxis=Osa Y +StatusOfRefMustBe=Stav %s musí být %s +DeleteFileHeader=Potvrďte smazání souboru +DeleteFileText=Opravdu chcete tento soubor odstranit? +ShowOtherLanguages=Zobrazit další jazyky +SwitchInEditModeToAddTranslation=Přepnutím v režimu úprav přidáte překlady do tohoto jazyka +NotUsedForThisCustomer=Nepoužívá se pro tohoto zákazníka +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/cs_CZ/members.lang b/htdocs/langs/cs_CZ/members.lang index dedbca12e02..e173badf8d6 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=Členové vizitky +MembersCards=Vizitky členů MembersList=Seznam členů MembersListToValid=Seznam členů návrhu (bude ověřeno) MembersListValid=Seznam platných členů @@ -29,7 +29,7 @@ MenuMembersUpToDate=Aktuální členové MenuMembersNotUpToDate=Neaktuální členové MenuMembersResiliated=Ukončené členové MembersWithSubscriptionToReceive=Členové s předplatným k přijímání -MembersWithSubscriptionToReceiveShort=Subscription to receive +MembersWithSubscriptionToReceiveShort=Předplatné k odběru DateSubscription=Vstupní data DateEndSubscription=Datum ukončení předplatného EndSubscription=Konec odběru @@ -52,6 +52,9 @@ MemberStatusResiliated=Ukončený člen MemberStatusResiliatedShort=ukončený MembersStatusToValid=Návrhy členů MembersStatusResiliated=Ukončené členové +MemberStatusNoSubscription=Ověření (není třeba předplatné) +MemberStatusNoSubscriptionShort=Ověřeno +SubscriptionNotNeeded=Není třeba žádné předplatné NewCotisation=Nový příspěvek PaymentSubscription=Nová platba příspěvku SubscriptionEndDate=Předplatné je datum ukončení @@ -89,7 +92,7 @@ ConfirmDeleteSubscription=Jste si jisti, že chcete smazat tento odběr? Filehtpasswd=htpasswd souboru ValidateMember=Ověření člena ConfirmValidateMember=Jste si jisti, že chcete ověřit tohoto člena? -FollowingLinksArePublic=Následující odkazy jsou otevřené stránky, které nejsou chráněny žádným oprávněním Dolibarr. Nejsou to formátované stránky, jako příklad ukázat, jak seznam členů databáze. +FollowingLinksArePublic=Následující odkazy jsou otevřené stránky, které nejsou chráněny žádným povolením společnosti Dolibarr. Nejedná se o formátované stránky, které jsou uvedeny jako příklad k zobrazení seznamu členů databáze. PublicMemberList=Veřejný seznam členů BlankSubscriptionForm=Formulář veřejného předplatného BlankSubscriptionFormDesc=Dolibarr vám může poskytnout veřejnou adresu URL / webovou stránku, která umožní externím návštěvníkům požádat o přihlášení k nadaci. Je-li zapnutý online platební modul, může být také automaticky poskytnut formulář platby. @@ -172,7 +175,7 @@ MembersStatisticsDesc=Zvolte statistik, které chcete číst ... MenuMembersStats=Statistika LastMemberDate=Nejnovější datum člena LatestSubscriptionDate=Poslední datum přihlášení -MemberNature=Nature of member +MemberNature=Povaha člena Public=Informace jsou veřejné NewMemberbyWeb=Nový uživatel přidán. Čeká na schválení NewMemberForm=Nový formulář člena @@ -198,4 +201,4 @@ SendReminderForExpiredSubscriptionTitle=Pošlete připomenutí e-mailem na vypr SendReminderForExpiredSubscription=Odeslání připomenutí e-mailem členům při uplynutí platnosti předplatného (parametr je počet dní před ukončením předplatného pro odeslání připomenutí. Může to být seznam dnů oddělených středníkem, například '10; 5; 0; -5 ') MembershipPaid=Členství zaplaceno za běžné období (do %s) YouMayFindYourInvoiceInThisEmail=Vaše faktura můžete připojit k tomuto e-mailu -XMembersClosed=%s member(s) closed +XMembersClosed=člen %s uzavřen(i) diff --git a/htdocs/langs/cs_CZ/modulebuilder.lang b/htdocs/langs/cs_CZ/modulebuilder.lang index d97c60a25a2..51093a410ec 100644 --- a/htdocs/langs/cs_CZ/modulebuilder.lang +++ b/htdocs/langs/cs_CZ/modulebuilder.lang @@ -25,9 +25,9 @@ EnterNameOfModuleToDeleteDesc=Modul můžete smazat. VAROVÁNÍ: Všechny kódov EnterNameOfObjectToDeleteDesc=Objekt můžete odstranit. VAROVÁNÍ: Všechny kódované soubory (vytvořené nebo vytvořené ručně) související s objektem budou vymazány! DangerZone=Nebezpečná zóna BuildPackage=Sestavte balíček -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. +BuildPackageDesc=Můžete si vytvořit balíček ZIP vaší aplikace, abyste byli připraveni distribuovat jej na libovolném Dolibarru. Můžete jej také distribuovat nebo prodávat na trhu jako DoliStore.com . BuildDocumentation=Vytvoření dokumentace -ModuleIsNotActive=Tento modul ještě není aktivován. Přejděte na %s, aby se zobrazila nebo klikněte zde: +ModuleIsNotActive=Tento modul ještě není aktivován. Chcete-li ji zveřejnit, přejděte na %s nebo klikněte zde ModuleIsLive=Tento modul byl aktivován. Jakákoli změna na něm může narušit aktuální aktivní funkci. DescriptionLong=Dlouhý popis EditorName=Jméno editora @@ -60,17 +60,17 @@ HooksFile=Soubor pro kód háků ArrayOfKeyValues=Pole klíč-val ArrayOfKeyValuesDesc=Pole klíčů a hodnot, je-li pole kombinovaným seznamem s pevnými hodnotami WidgetFile=Soubor widgetu -CSSFile=CSS file -JSFile=Javascript file +CSSFile=Soubor CSS +JSFile=Soubor Javascript ReadmeFile=Soubor Readme ChangeLog=Soubor ChangeLog TestClassFile=Soubor pro testovací jednotku PHP Unit SqlFile=Sql soubor -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object +PageForLib=Soubor pro společnou knihovnu PHP +PageForObjLib=Soubor pro knihovnu PHP vyhrazenou pro objekt SqlFileExtraFields=Soubor Sql pro doplňkové atributy SqlFileKey=Sql soubor pro klíče -SqlFileKeyExtraFields=Sql file for keys of complementary attributes +SqlFileKeyExtraFields=Soubor Sql pro klíče doplňujících atributů AnObjectAlreadyExistWithThisNameAndDiffCase=Objekt již existuje s tímto názvem a jiným případem UseAsciiDocFormat=Můžete použít formát Markdown, ale doporučujeme použít formát Asciidoc (porovnat mezi .md a .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) IsAMeasure=Je to opatření @@ -79,22 +79,22 @@ NoTrigger=Žádný spouštěč NoWidget=Žádný widget GoToApiExplorer=Přejděte na prohlížeč rozhraní API ListOfMenusEntries=Seznam položek menu -ListOfDictionariesEntries=List of dictionaries entries +ListOfDictionariesEntries=Seznam položek slovníků ListOfPermissionsDefined=Seznam definovaných oprávnění SeeExamples=Viz příklady zde EnabledDesc=Podmínka, aby bylo toto pole aktivní (příklady: 1 nebo $ conf-> global-> MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 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 -DisplayOnPdf=Display on PDF +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ý +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) SpecDefDesc=Zadejte zde veškerou dokumentaci, kterou chcete poskytnout s modulem, která ještě nebyla definována jinými kartami. Můžete použít .md nebo lepší, bohatou syntaxi .asciidoc. LanguageDefDesc=Do těchto souborů zadejte všechny klíče a překlad pro každý soubor jazyka. MenusDefDesc=Zde definujte nabídky poskytované vaším modulem -DictionariesDefDesc=Define here the dictionaries provided by your module +DictionariesDefDesc=Zde definujte slovníky poskytované vaším modulem PermissionsDefDesc=Zde definujte nová oprávnění poskytovaná vaším modulem MenusDefDescTooltip=Nabídky poskytované modulem / aplikací jsou definovány v menu $ this-> do souboru deskriptoru modulu. Tento soubor můžete upravit ručně nebo použít vložený editor.

Poznámka: Po definování (a opětovném aktivaci modulu) jsou menu zobrazena také v editoru menu, který je k dispozici administrátorům na %s. -DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. +DictionariesDefDescTooltip=Slovníky poskytované vaším modulem / aplikací jsou definovány do pole $ this-> slovníky do souboru deskriptoru modulu. Tento soubor můžete upravit ručně nebo použít zabudovaný editor.

Poznámka: Jakmile je definován (a modul je znovu aktivován), jsou v oblasti nastavení také viditelné slovníky pro administrátorské uživatele na %s. PermissionsDefDescTooltip=Oprávnění poskytnutá vaším modulem / aplikací jsou definována do pole $ this-> práva do souboru deskriptoru modulu. Tento soubor můžete upravit ručně nebo použít vložený editor.

Poznámka: Po definování (a opětovném aktivaci modulu) jsou oprávnění viditelná ve výchozím nastavení oprávnění %s. HooksDefDesc=Definujte v module_parts ['hooks'] vlastnost, v deskriptoru modulu, kontext háčků, které chcete spravovat (seznam kontextů lze nalézt při hledání na ' initHooks (' v jádrovém kódu)
Editovat soubor háku přidáte kód vašich háknutých funkcí (hákovatelné funkce lze nalézt při hledání na ' executeHooks ' v jádrovém kódu). TriggerDefDesc=Definujte ve spouštěcím souboru kód, který chcete provést pro každou provedenou událost. @@ -112,12 +112,12 @@ InitStructureFromExistingTable=Vytvořte řetězec struktury pole existující t UseAboutPage=Zakažte stránku UseDocFolder=Zakázat složku dokumentace UseSpecificReadme=Použijte konkrétní ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. +ContentOfREADMECustomized=Poznámka: Obsah souboru README.md byl nahrazen konkrétní hodnotou definovanou v nastavení modulu ModuleBuilder. RealPathOfModule=Reálná cesta modulu ContentCantBeEmpty=Obsah souboru nemůže být prázdný WidgetDesc=Zde můžete generovat a upravovat widgety, které budou vloženy do vašeho modulu. -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. +CSSDesc=Zde můžete vygenerovat a upravit soubor s personalizovaným CSS vloženým do vašeho modulu. +JSDesc=Zde můžete vygenerovat a upravit soubor s personalizovaným Javascriptem vloženým do vašeho modulu. CLIDesc=Zde můžete generovat některé příkazové řádky, které chcete s modulem poskytnout. CLIFile=Soubor CLI NoCLIFile=Žádné soubory CLI @@ -127,15 +127,16 @@ UseSpecificFamily = Použijte konkrétní rodinu UseSpecificAuthor = Použijte specifického autora UseSpecificVersion = Použijte specifickou počáteční verzi ModuleMustBeEnabled=Nejprve musí být aktivován modul / aplikace -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip -CSSClass=CSS Class -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter +IncludeRefGeneration=Odkaz na objekt musí být generován automaticky +IncludeRefGenerationHelp=Zaškrtněte toto, pokud chcete zahrnout kód pro automatické generování reference +IncludeDocGeneration=Chci z objektu vygenerovat nějaké dokumenty +IncludeDocGenerationHelp=Pokud toto zaškrtnete, bude vygenerován nějaký kód pro přidání pole „Generovat dokument“ do záznamu. +ShowOnCombobox=Zobrazit hodnotu do komboboxu +KeyForTooltip=Klíč pro popis +CSSClass=Třída CSS +NotEditable=Nelze upravovat +ForeignKey=Cizí klíč +TypeOfFieldsHelp=Typ polí:
varchar (99), dvojitý (24,8), reálný, text, html, datetime, timestamp, celé číslo, celé číslo: ClassName: relativní cesta / do / classfile.class.php [: 1 [: filter]] ('1' znamená, že přidáme tlačítko + za kombajn pro vytvoření záznamu, 'filter' může být 'status = 1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)) +AsciiToHtmlConverter=Převodník ASCII na HTML +AsciiToPdfConverter=Převodník ASCII na PDF +TableNotEmptyDropCanceled=Tabulka není prázdná. Odstranění tabulky bylo zrušeno. diff --git a/htdocs/langs/cs_CZ/mrp.lang b/htdocs/langs/cs_CZ/mrp.lang index 8837c1dff97..85aecf46280 100644 --- a/htdocs/langs/cs_CZ/mrp.lang +++ b/htdocs/langs/cs_CZ/mrp.lang @@ -1,73 +1,77 @@ -Mrp=Manufacturing Orders -MO=Manufacturing Order -MRPDescription=Module to manage production and Manufacturing Orders (MO). +Mrp=Výrobní zakázky +MO=Výrobní zakázka +MRPDescription=Modul pro správu výrobních a výrobních objednávek (MO). MRPArea=Oblast MRP -MrpSetupPage=Setup of module MRP +MrpSetupPage=Nastavení modulu MRP MenuBOM=Kusovníky LatestBOMModified=Nejnovější %s Upravené kusovníky -LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material +LatestMOModified=Poslední %s upravené výrobní příkazy +Bom=Účty materiálu BillOfMaterials=Materiál BOMsSetup=Nastavení kusovníku modulu BOM ListOfBOMs=Seznam kusovníků - kusovník -ListOfManufacturingOrders=List of Manufacturing Orders +ListOfManufacturingOrders=Seznam výrobních objednávek NewBOM=Nový kusovník -ProductBOMHelp=Product to create with this BOM.
Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. +ProductBOMHelp=Produkt vytvořený pomocí tohoto kusovníku.
Poznámka: Produkty s vlastností 'Druh produktu' = 'Surovina' nejsou v tomto seznamu viditelné. BOMsNumberingModules=Šablony číslování kusovníku -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates +BOMsModelModule=Šablony dokumentu kusovníku +MOsNumberingModules=MO číslovací šablony +MOsModelModule=Šablony dokumentů MO FreeLegalTextOnBOMs=Volný text na dokumentu z kusovníků BOM WatermarkOnDraftBOMs=Vodoznak na návrhu kusovníku -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of material %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ConsumptionEfficiency=Consumption efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the production -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product -DeleteBillOfMaterials=Delete Bill Of Materials -DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Material? -ConfirmDeleteMo=Are you sure you want to delete this Bill Of Material? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed -BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -ConsumeOrProduce=Consume or Produce -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRef=Production of %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quentity still to produce by open MO -AddNewConsumeLines=Add new line to consume -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce +FreeLegalTextOnMOs=Volný text na dokumentu MO +WatermarkOnDraftMOs=Vodoznak na návrhu MO +ConfirmCloneBillOfMaterials=Opravdu chcete klonovat kusovník %s? +ConfirmCloneMo=Opravdu chcete klonovat výrobní objednávku %s? +ManufacturingEfficiency=Účinnost výroby +ConsumptionEfficiency=Účinnost spotřeby +ValueOfMeansLoss=Hodnota 0,95 znamená průměrně ztrátu během výroby ve výši 5%% +ValueOfMeansLossForProductProduced=Hodnota 0,95 znamená průměrně ztrátu vyrobeného produktu ve výši 5%% +DeleteBillOfMaterials=Odstranit kusovník +DeleteMo=Smazat výrobní zakázku +ConfirmDeleteBillOfMaterials=Opravdu chcete smazat tento kusovník? +ConfirmDeleteMo=Opravdu chcete smazat tento kusovník? +MenuMRP=Výrobní zakázky +NewMO=Nová výrobní objednávka +QtyToProduce=Množství k výrobě +DateStartPlannedMo=Datum zahájení je naplánováno +DateEndPlannedMo=Datum ukončení je naplánováno +KeepEmptyForAsap=Prázdný znamená „co nejdříve“ +EstimatedDuration=Odhadovaná doba trvání +EstimatedDurationDesc=Předpokládaná doba výroby tohoto produktu pomocí tohoto kusovníku +ConfirmValidateBom=Opravdu chcete ověřit kusovník pomocí odkazu %s (budete jej moci použít k vytváření nových výrobních objednávek) +ConfirmCloseBom=Opravdu chcete zrušit tento kusovník (už jej nebudete moci použít k vytváření nových výrobních objednávek)? +ConfirmReopenBom=Opravdu chcete tento kusovník znovu otevřít (budete jej moci použít k vytváření nových výrobních objednávek) +StatusMOProduced=Vyrobeno +QtyFrozen=Zmrazené množství +QuantityFrozen=Zmrazené množství +QuantityConsumedInvariable=Když je nastaven tento příznak, spotřebované množství je vždy definovaná hodnota a není relativní k produkovanému množství. +DisableStockChange=Změna zásob zakázána +DisableStockChangeHelp=Pokud je nastaven tento příznak, nedojde k žádné změně zásob tohoto produktu, ať už je spotřebované množství jakékoli +BomAndBomLines=Kusovníky a čáry +BOMLine=Řádek kusovníku +WarehouseForProduction=Sklad pro výrobu +CreateMO=Vytvořit MO +ToConsume=Konzumovat +ToProduce=K výrobě +QtyAlreadyConsumed=Množství již bylo spotřebováno +QtyAlreadyProduced=Množství již bylo vyrobeno +QtyRequiredIfNoLoss=Množství povinné, pokud nedojde ke ztrátě (výrobní účinnost je 100%%) +ConsumeOrProduce=Spotřeba nebo produkce +ConsumeAndProduceAll=Spotřebujte a produkujte vše +Manufactured=Vyrobeno +TheProductXIsAlreadyTheProductToProduce=Produkt, který chcete přidat, je již produkt, který chcete vyrobit. +ForAQuantityOf=Pro množství k výrobě %s +ConfirmValidateMo=Opravdu chcete ověřit tuto výrobní objednávku? +ConfirmProductionDesc=Kliknutím na '%s' potvrdíte spotřebu a / nebo výrobu pro nastavená množství. Tím se také aktualizuje pohyb zásob a zaznamenávají se pohyby zásob. +ProductionForRef=Výroba %s +AutoCloseMO=Pokud je dosaženo množství, které je třeba spotřebovat a vyrobit, uzavře se automaticky výrobní objednávka +NoStockChangeOnServices=Žádná změna zásob u služeb +ProductQtyToConsumeByMO=Množství produktu, které je třeba spotřebovat otevřeným MO +ProductQtyToProduceByMO=Množství produktu, které je stále třeba vyrábět otevřeným MO +AddNewConsumeLines=Přidejte nový řádek ke spotřebě +ProductsToConsume=Výrobky ke spotřebě +ProductsToProduce=Výrobky k výrobě +UnitCost=Jednotková cena +TotalCost=Celkové náklady +BOMTotalCost=Náklady na výrobu tohoto kusovníku na základě nákladů na každé spotřebované množství a produkt (použijte cenu Cena, pokud je definována, jinak průměrná vážená cena, pokud je definována, jinak nejlepší kupní cena) diff --git a/htdocs/langs/cs_CZ/orders.lang b/htdocs/langs/cs_CZ/orders.lang index a6756294446..a0e3d581017 100644 --- a/htdocs/langs/cs_CZ/orders.lang +++ b/htdocs/langs/cs_CZ/orders.lang @@ -11,7 +11,7 @@ OrderDate=Datum objednávky OrderDateShort=Datum objednávky OrderToProcess=Objednávka ve zpracování NewOrder=Nová objednávka -NewOrderSupplier=New Purchase Order +NewOrderSupplier=Nová objednávka ToOrder=Udělat objednávku MakeOrder=Udělat objednávku SupplierOrder=Nákupní objednávka @@ -24,10 +24,10 @@ CustomersOrdersAndOrdersLines=Prodejní objednávky a podrobnosti o objednávce OrdersDeliveredToBill=objednávky zákazníků dodávány na účet OrdersToBill=Byly doručeny objednávky OrdersInProcess=Prodejní objednávky v procesu -OrdersToProcess=Objednávky prodeje zpracovávat -SuppliersOrdersToProcess=Nákupní příkazy pro zpracování -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception +OrdersToProcess=Zpracování prodejních objednávek +SuppliersOrdersToProcess=Objednávky ke zpracování +SuppliersOrdersAwaitingReception=Objednávky čekají na přijetí +AwaitingReception=Čeká se na příjem StatusOrderCanceledShort=Zrušený StatusOrderDraftShort=Návrh StatusOrderValidatedShort=Ověřené @@ -69,9 +69,9 @@ ValidateOrder=Potvrzení objednávky UnvalidateOrder=Nepotvrdit objednávku DeleteOrder=Smazat objednávku CancelOrder=Zrušení objednávky -OrderReopened= Order %s re-open +OrderReopened= Objednávka%s znovu otevřena AddOrder=Vytvořit objednávku -AddPurchaseOrder=Create purchase order +AddPurchaseOrder=Vytvořte objednávku AddToDraftOrders=Přidat k návrhu objednávky ShowOrder=Zobrazit objednávku OrdersOpened=Objednávky ve zpracování @@ -92,7 +92,7 @@ ListOfOrders=Seznam objednávek CloseOrder=Zavřená objednávka ConfirmCloseOrder=Opravdu chcete nastavit tuto objednávku k dodání? Jakmile je objednávka doručena, může být nastavena na fakturaci. ConfirmDeleteOrder=Jste si jisti, že chcete odstranit tuto objednávku? -ConfirmValidateOrder=Opravdu chcete tuto objednávku ověřit pod jménem %s ? +ConfirmValidateOrder=Opravdu chcete tuto objednávku ověřit pod názvem %s ? ConfirmUnvalidateOrder=Jste si jisti, že chcete obnovit objednávku %s do stavu návrhu? ConfirmCancelOrder=Jste si jisti, že chcete zrušit tuto objednávku? ConfirmMakeOrder=Jste si jisti, že chcete potvrdit tuto objednávku na %s? @@ -107,12 +107,12 @@ RefOrderSupplier=Ref. objednávka pro prodejce RefOrderSupplierShort=Ref. prodejce objednávek SendOrderByMail=Objednávku zašlete mailem ActionsOnOrder=Události objednávek -NoArticleOfTypeProduct=Žádný výrobek typu "produkt", takže žádný objednávkový předmět pro tuto objednávku +NoArticleOfTypeProduct=Žádný článek typu „produkt“, takže pro tuto objednávku není zboží, které lze odeslat OrderMode=Metoda objednávky AuthorRequest=Požadavek autora UserWithApproveOrderGrant=Uživateli poskytnuté povolení "schválit objednávky". PaymentOrderRef=Platba objednávky %s -ConfirmCloneOrder=Jste si jisti, že chcete klonovat tento příkaz %s ? +ConfirmCloneOrder=Opravdu chcete klonovat tuto objednávku %s ? DispatchSupplierOrder=Příjem objednávky %s FirstApprovalAlreadyDone=První schválení již učiněno SecondApprovalAlreadyDone=Druhé schválení již bylo provedeno @@ -141,11 +141,12 @@ OrderByEMail=E-mail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=A complete order model -PDFEratostheneDescription=A complete order model +PDFEinsteinDescription=Kompletní objednávkový model (stará implementace Eratosthene šablony) +PDFEratostheneDescription=Kompletní objednávkový model PDFEdisonDescription=Jednoduchý model objednávky -PDFProformaDescription=A complete Proforma invoice template +PDFProformaDescription=Kompletní šablona faktury Proforma CreateInvoiceForThisCustomer=Fakturace objednávek +CreateInvoiceForThisSupplier=Fakturace objednávek NoOrdersToInvoice=Žádné fakturované objednávky CloseProcessedOrdersAutomatically=Klasifikovat jako "Probíhající" všechny vybrané objednávky. OrderCreation=Tvorba objednávky @@ -154,11 +155,11 @@ OrderCreated=Vaše objednávky byly vytvořeny OrderFail=Došlo k chybě během vytváření objednávky CreateOrders=Vytvoření objednávky ToBillSeveralOrderSelectCustomer=Chcete-li vytvořit fakturu z několika řádů, klikněte nejprve na zákazníka, pak zvolte "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. +OptionToSetOrderBilledNotEnabled=Možnost z modulu Workflow pro automatické nastavení objednávky na „Fakturováno“ při ověření faktury není povolena, takže po vygenerování faktury budete muset ručně nastavit stav objednávek na „Fakturováno“. IfValidateInvoiceIsNoOrderStayUnbilled=Pokud je ověření faktury "Ne", objednávka zůstane na stav "Nesplacená", dokud nebude faktura potvrzena. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Pokud jsou přijaty všechny produkty, objednávka automaticky uzavřete stav "%s". SetShippingMode=Nastavení režimu dopravy -WithReceptionFinished=With reception finished +WithReceptionFinished=Po dokončení příjmu #### supplier orders status StatusSupplierOrderCanceledShort=Zrušený StatusSupplierOrderDraftShort=Návrh diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index 568b1eac8c4..f544f4da7d6 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -6,7 +6,7 @@ TMenuTools=Nástroje ToolsDesc=Všechny nástroje, které nejsou zahrnuty v jiných položkách nabídky, jsou zde seskupeny.
Všechny nástroje jsou přístupné v levém menu. Birthday=Narozeniny BirthdayDate=datum narozenin -DateToBirth=Birth date +DateToBirth=Datum narození BirthdayAlertOn=Připomenutí narozenin aktivní BirthdayAlertOff=Připomenutí narozenin neaktivní TransKey=Překlad klíčů TransKey @@ -30,11 +30,11 @@ PreviousYearOfInvoice=Předchozí rok data fakturace NextYearOfInvoice=Následující rok fakturace DateNextInvoiceBeforeGen=Datum další faktury (před generací) DateNextInvoiceAfterGen=Datum další faktury (po generaci) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts +GraphInBarsAreLimitedToNMeasures=Grapics jsou omezeny na %s opatření v 'Bars' režimu. Místo toho byl automaticky vybrán režim „Řádky“. +OnlyOneFieldForXAxisIsPossible=Pouze 1 pole je v současné době možné jako osa X. Bylo vybráno pouze první vybrané pole. +AtLeastOneMeasureIsRequired=Je požadováno alespoň jedno pole pro měření +AtLeastOneXAxisIsRequired=Pro osu X je vyžadováno alespoň jedno pole +LatestBlogPosts=Nejnovější příspěvky do blogu Notify_ORDER_VALIDATE=Objednávka prodeje byla ověřena Notify_ORDER_SENTBYMAIL=Prodejní objednávka byla odeslána mailem Notify_ORDER_SUPPLIER_SENTBYMAIL=Objednávka byla odeslána e-mailem @@ -85,8 +85,8 @@ MaxSize=Maximální velikost AttachANewFile=Připojte nový soubor/dokument LinkedObject=Propojený objekt NbOfActiveNotifications=Počet oznámení (počet e-mailů příjemců) -PredefinedMailTest=__(Ahoj)__\nToto je zkušební pošta zaslaná do __EMAIL__.\nDvě řádky jsou odděleny návratem vozíku.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=Toto je testovací mail (slovo testovací musí být tučně).
Dva řádky jsou odděleny znakem konce řádku.

__SIGNATURE__ +PredefinedMailTest=__(Ahoj)__\nToto je zkušební e-mail odeslaný na adresu __EMAIL__.\nŘádky jsou odděleny návratem vozíku.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__ (Dobrý den) __
Toto je test zaslaný na __EMAIL__ (test slov musí být tučně).
Řádky jsou odděleny návratem vozíku.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Ahoj)__\n\n\n__(S pozdravem)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Ahoj)__\n\nNajděte fakturu __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(S pozdravem)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Ahoj)__\n\nRádi bychom vám připomněli, že faktura __REF__ se zdá, že nebyla zaplacena. Kopie faktury je připojena jako připomenutí.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(S pozdravem)__\n\n__USER_SIGNATURE__ @@ -108,8 +108,8 @@ DemoFundation=Spravovat nadaci, nebo neziskovou organizaci a její členy DemoFundation2=Správa členů a bankovních účtů nadace nebo neziskové organizace DemoCompanyServiceOnly=Správa pouze prodejní činnosti malé firmy nebo nadace DemoCompanyShopWithCashDesk=Správa obchodu s pokladnou, e-shopu nebo obchodní činnost -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products +DemoCompanyProductAndStocks=Shop prodávající výrobky přes POS - Point Of Sales +DemoCompanyManufacturing=Společnost vyrábějící produkty DemoCompanyAll=Správa malé nebo střední firmy s více činnostmi (všechny hlavní moduly) CreatedBy=Vytvořil %s ModifiedBy=Změnil %s @@ -189,16 +189,16 @@ NumberOfCustomerInvoices=Počet zákaznických faktur NumberOfSupplierProposals=Počet návrhů prodejců NumberOfSupplierOrders=Počet objednávek NumberOfSupplierInvoices=Počet faktur dodavatelů -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders +NumberOfContracts=Počet smluv +NumberOfMos=Počet výrobních zakázek NumberOfUnitsProposals=Počet jednotek na návrh NumberOfUnitsCustomerOrders=Počet jednotek na objednávkách prodeje NumberOfUnitsCustomerInvoices=Počet jednotek na fakturách zákazníků NumberOfUnitsSupplierProposals=Počet jednotek v návrzích prodejců NumberOfUnitsSupplierOrders=Počet jednotek na objednávkách NumberOfUnitsSupplierInvoices=Počet jednotek na faktorech dodavatelů -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsContracts=Počet smluvních jednotek +NumberOfUnitsMos=Počet jednotek ve výrobních zakázkách EMailTextInterventionAddedContact=Byla přiřazena%s nová intervence . EMailTextInterventionValidated=Zásah %s byl ověřen. EMailTextInvoiceValidated=Faktura %s byla ověřena. @@ -259,7 +259,7 @@ ThirdPartyCreatedByEmailCollector=Subjekt vytvořený sběratelem e-mailů z e-m ContactCreatedByEmailCollector=Kontakt/adresa vytvořená sběratelem e-mailů z e-mailu MSGID %s ProjectCreatedByEmailCollector=Projekt vytvořený sběratelem e-mailů z e-mailu MSGID %s TicketCreatedByEmailCollector=Lístek vytvořený sběratelem e-mailů z e-mailu MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
Use a space to enter different ranges.
Example: 8-12 14-18 +OpeningHoursFormatDesc=Pomocí a - oddělte otevírací a zavírací dobu.
Pomocí mezery zadejte různé rozsahy.
Příklad: 8-12 14-18 ##### Export ##### ExportsArea=Exportní plocha @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=URL stránky WEBSITE_TITLE=Titul WEBSITE_DESCRIPTION=Popis WEBSITE_IMAGE=obraz -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Relativní cesta obrazového média. Tuto možnost můžete ponechat prázdnou, protože se používá jen zřídka (dynamický obsah ji lze použít k zobrazení miniatury v seznamu příspěvků na blogu). Použijte __WEBSITE_KEY__ v cestě, pokud cesta závisí na názvu webu (například: image / __ WEBSITE_KEY __ / stories / myimage.png). WEBSITE_KEYWORDS=Klíčová slova LinesToImport=Řádky, které chcete importovat MemoryUsage=Využití paměti RequestDuration=Doba trvání žádosti -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +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 diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index b9baf58d160..28779340308 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -2,7 +2,7 @@ ProductRef=Produkt čj. ProductLabel=Štítek produktu ProductLabelTranslated=Přeložený štítek produktu -ProductDescription=Product description +ProductDescription=Popis výrobku ProductDescriptionTranslated=Přeložený popis produktu ProductNoteTranslated=Přeložená poznámka k produktu ProductServiceCard=Karta produktů/služeb @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Tento nástroj aktualizuje sazbu DPH definovanou na pro MassBarcodeInit=Hromadný čárový kód inicializace MassBarcodeInitDesc=Tato stránka může být použita k inicializaci čárového kódu na objekty, které nemají definovaný čárový kód. Zkontrolujte před touto akcí, zda je nastavení modulu čárového kódu kompletní. ProductAccountancyBuyCode=Účetní kód (nákup) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Účetní kód (nákup v rámci komunity) +ProductAccountancyBuyExportCode=Účetní kód (dovozní nákup) ProductAccountancySellCode=Účetní kód (prodej) ProductAccountancySellIntraCode=Účetní kód (prodej uvnitř Společenství) ProductAccountancySellExportCode=Účetní kód (exportní prodej) @@ -31,19 +31,19 @@ ProductOrService=Produkt nebo služba ProductsAndServices=Produkty a služby ProductsOrServices=Výrobky nebo služby ProductsPipeServices=Produkty | Služby -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase +ProductsOnSale=Výrobky na prodej +ProductsOnPurchase=Výrobky k zakoupení ProductsOnSaleOnly=Produkty pouze k prodeji ProductsOnPurchaseOnly=Produkty pouze pro nákup ProductsNotOnSell=Výrobky, které nejsou určeny k prodeji a nejsou k nákupu ProductsOnSellAndOnBuy=Produkty pro prodej a pro nákup -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase +ServicesOnSale=Služby na prodej +ServicesOnPurchase=Služby nákupu 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=Poslední %s upravené produkty/služby +LastModifiedProductsAndServices=Nejnovější%s upravené produkty/služby LastRecordedProducts=Poslední zaznamenané %s produkty LastRecordedServices=Poslední zaznamenané %s služby CardProduct0=Produkt @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Poznámka (není vidět na návrzích faktury, ...) ServiceLimitedDuration=Je-li výrobek službou s omezeným trváním: MultiPricesAbility=Více cenových segmentů na produkt / službu (každý zákazník je v jednom cenovém segmentu) MultiPricesNumPrices=Počet cen +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Aktivovat virtuální produkty (sady) AssociatedProducts=Virtuální produkty AssociatedProductsNumber=Počet výrobků tvořících tento virtuální produkt @@ -118,8 +119,8 @@ CategoryFilter=Filtr kategorie ProductToAddSearch=Hledat produkt pro přidání NoMatchFound=Shoda nenalezena ListOfProductsServices=Seznam produktů/služeb -ProductAssociationList=Seznam produktů / služeb, které jsou součástí tohoto virtuálního produktu / sady -ProductParentList=Seznam virtuálních produktů / služeb s tímto produktem jako komponentou +ProductAssociationList=Seznam produktů/služeb, které jsou součást(i)í tohoto virtuálního produktu/sady +ProductParentList=Seznam virtuálních produktů/služeb s tímto produktem jako komponentou ErrorAssociationIsFatherOfThis=Jeden vybraný produkt je nadřazený současnému produktu DeleteProduct=Odstranění produktu/služby ConfirmDeleteProduct=Jste si jisti, že chcete smazat tento výrobek/službu? @@ -155,7 +156,7 @@ 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ě ClonePricesProduct=Kopíruje ceny -CloneCategoriesProduct=Clone tags/categories linked +CloneCategoriesProduct=Klonovat značky / kategorie spojené CloneCompositionProduct=Kopíruje virtuální produkt / službu CloneCombinationsProduct=Kopírovat varianty produktu ProductIsUsed=Tento produkt se používá @@ -167,7 +168,7 @@ SuppliersPrices=Ceny prodejců SuppliersPricesOfProductsOrServices=Ceny prodejců (produktů nebo služeb) CustomCode=Kód cla / komodity / HS CountryOrigin=Země původu -Nature=Nature of product (material/finished) +Nature=Druh produktu (materiál / hotový) ShortLabel=Krátký štítek Unit=Jednotka p=u. @@ -201,7 +202,7 @@ unitLM=Lineární měřidlo unitM2=Metr čtvereční unitM3=Metr krychlový unitL=Litr -unitT=ton +unitT=tón unitKG=kg unitG=Gram unitMG=mg @@ -212,7 +213,7 @@ unitDM=dm unitCM=cm unitMM=mm unitFT=ft -unitIN=in +unitIN=v unitM2=Metr čtvereční unitDM2=dm² unitCM2=cm² @@ -240,8 +241,8 @@ UseMultipriceRules=Použijte pravidla segmentu cen (definovaná v nastavení mod PercentVariationOver=%% variace přes %s PercentDiscountOver=%% sleva na %s KeepEmptyForAutoCalculation=Nechte prázdné, aby se to automaticky vypočítalo z hmotnosti nebo objemu produktů -VariantRefExample=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +VariantRefExample=Příklady: COL, SIZE +VariantLabelExample=Příklady: Barva, Velikost ### composition fabrication Build=Vyrobit ProductsMultiPrice=Produkty a ceny pro jednotlivé cenové kategorie @@ -293,7 +294,7 @@ AddVariable=Přidat proměnnou AddUpdater=Přidat Update GlobalVariables=Globální proměnné VariableToUpdate=Aktualizovat proměnnou -GlobalVariableUpdaters=External updaters for variables +GlobalVariableUpdaters=Externí aktualizátory proměnných GlobalVariableUpdaterType0=JSON data GlobalVariableUpdaterHelp0=Analyzuje JSON data ze zadané adresy URL, VALUE určuje umístění příslušné hodnoty GlobalVariableUpdaterHelpFormat0=Formát požadavku {"URL": "http://example.com/urlofjson", "VALUE": "array1, array2, targetvalue"} @@ -319,10 +320,10 @@ ProductWeight=Hmotnost 1 produkt ProductVolume=Svazek 1 produkt WeightUnits=Jednotka hmotnosti VolumeUnits=objem jednotka -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit -SurfaceUnits=Surface unit +WidthUnits=Šířka jednotky +LengthUnits=Délka jednotky +HeightUnits=Výška jednotky +SurfaceUnits=Povrchová jednotka SizeUnits=Jednotková velikost DeleteProductBuyPrice=Smazat nákupní ceny ConfirmDeleteProductBuyPrice=Jste si jisti, že chcete smazat tuto nákupní cenu? @@ -333,9 +334,9 @@ PossibleValues=Možné hodnoty GoOnMenuToCreateVairants=Přejděte do nabídky %s - %s a připravte varianty atributů (například barvy, velikost, ...) UseProductFournDesc=Přidání funkce pro definování popisů produktů definovaných dodavateli vedle popisů pro zákazníky ProductSupplierDescription=Popis dodavatele produktu -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +UseProductSupplierPackaging=Použijte obaly na dodavatelské ceny (při přidávání / aktualizaci řádku v dodavatelských dokumentech přepočítávejte množství podle balení stanoveného na dodavatelskou cenu) +PackagingForThisProduct=Obal +QtyRecalculatedWithPackaging=Množství linky bylo přepočítáno podle obalu dodavatele #Attributes VariantAttributes=Atributy variant @@ -369,7 +370,7 @@ UsePercentageVariations=Použijte procentuální variace PercentageVariation=Procentní variace ErrorDeletingGeneratedProducts=Při pokusu o odstranění existujících variant produktů došlo k chybě NbOfDifferentValues=Počet různých hodnot -NbProducts=Number of products +NbProducts=Počet produktů ParentProduct=Nadřazený produkt HideChildProducts=Skrýt varianty produktů ShowChildProducts=Zobrazit variantní produkty @@ -381,5 +382,5 @@ ErrorDestinationProductNotFound=Cílový produkt nebyl nalezen ErrorProductCombinationNotFound=Produkt nebyl nalezen ActionAvailableOnVariantProductOnly=Akce je k dispozici pouze u varianty výrobku ProductsPricePerCustomer=Ceny produktů na zákazníky -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) -DeleteLinkedProduct=Delete the child product linked to the combination +ProductSupplierExtraFields=Další atributy (dodavatelské ceny) +DeleteLinkedProduct=Odstraňte podřízený produkt spojený s kombinací diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index 4ec9466d21b..cafb51e00a1 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -39,15 +39,15 @@ ShowProject=Zobrazit projekt ShowTask=Zobrazit úkol SetProject=Nastavit projekt NoProject=Žádný projekt nedefinován či vlastněn -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Počet projektů +NbOfTasks=Počet úkolů TimeSpent=Strávený čas TimeSpentByYou=Váš strávený čas TimeSpentByUser=Čas strávený uživatelem TimesSpent=Strávený čas -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label +TaskId=ID úlohy +RefTask=Číslo. úkolu +LabelTask=Štítek úlohy TaskTimeSpent=Čas strávený na úkolech TaskTimeUser=Uživatel TaskTimeNote=Poznámka @@ -69,7 +69,7 @@ NewTask=Nový úkol AddTask=Vytvořit úkol AddTimeSpent=Vytvořte čas strávený AddHereTimeSpentForDay=Přidejte čas strávený pro tento den / úkol -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddHereTimeSpentForWeek=Přidejte sem čas strávený na tento týden / úkol Activity=Činnost Activities=Úkoly / činnosti MyActivities=Moje úkoly / činnosti @@ -77,13 +77,13 @@ MyProjects=Moje projekty MyProjectsArea=Moje projekty Oblast DurationEffective=Efektivní doba trvání ProgressDeclared=Hlášený progres -TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression +TaskProgressSummary=Průběh úkolu +CurentlyOpenedTasks=Aktuálně otevřené úkoly +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarovaný pokrok je menší %s než vypočtená progrese +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarovaný pokrok je více %s než vypočtená progrese ProgressCalculated=Vypočítaný progres -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +WhichIamLinkedTo=se kterým jsem spojen +WhichIamLinkedToProject=které jsem propojil s projektem Time=Čas ListOfTasks=Seznam úkolů GoToListOfTimeConsumed=Přejít na seznam času spotřebovaného @@ -102,7 +102,7 @@ ListDonationsAssociatedProject=Seznam darů spojených s projektem ListVariousPaymentsAssociatedProject=Seznam různých plateb souvisejících s projektem ListSalariesAssociatedProject=Seznam plateb platů souvisejících s projektem ListActionsAssociatedProject=Seznam událostí souvisejících s projektem -ListMOAssociatedProject=List of manufacturing orders related to the project +ListMOAssociatedProject=Seznam výrobních zakázek souvisejících s projektem ListTaskTimeUserProject=Seznam času spotřebována na úkolech projektu ListTaskTimeForTask=Seznam času spotřebovaného na úlohu ActivityOnProjectToday=Aktivita na projektu dnes @@ -115,7 +115,7 @@ ChildOfTask=Podpoložka projektu / úkolu TaskHasChild=Úloha má podpoložku NotOwnerOfProject=Není vlastníkem privátního projektu AffectedTo=Přiděleno -CantRemoveProject=Tento projekt nelze odstranit, neboť se na něj odkazují některé jiné objekty (faktury, objednávky či jiné). Viz záložku "Připojené objekty" +CantRemoveProject=Tento projekt nelze odstranit, protože na něj odkazují některé jiné objekty (faktura, objednávky nebo jiné). Viz karta '%s'. ValidateProject=Ověřit projekt ConfirmValidateProject=Opravdu chcete tento projekt ověřit? CloseAProject=Zavřít projekt @@ -162,8 +162,8 @@ OpportunityProbability=Pravděpodobnost vedení OpportunityProbabilityShort=Odevzdání probabu. OpportunityAmount=množství příležitostí OpportunityAmountShort=množství příležitostí -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount +OpportunityWeightedAmount=Vážená částka příležitosti +OpportunityWeightedAmountShort=Opp. vážené množství OpportunityAmountAverageShort=Průměrná výše vedení OpportunityAmountWeigthedShort=Vážená částka WonLostExcluded=Vyhrané / ztracené jsou vyloučeny @@ -186,10 +186,10 @@ PlannedWorkload=Plánované vytížení PlannedWorkloadShort=Pracovní zátěž ProjectReferers=Související zboží ProjectMustBeValidatedFirst=Projekt musí být nejdříve ověřen -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +FirstAddRessourceToAllocateTime=Přiřaďte uživatelský zdroj jako kontakt projektu a přidělte čas InputPerDay=Vstup za den InputPerWeek=Vstup za týden -InputPerMonth=Input per month +InputPerMonth=Vstup za měsíc InputDetail=Vstupní detail TimeAlreadyRecorded=Toto je čas strávený již zaznamenaný pro tento úkol / den a uživatel %s ProjectsWithThisUserAsContact=Projekty s tímto uživatelem jako kontakt @@ -238,7 +238,7 @@ LatestModifiedProjects=Nejnovější %smodifikované projekty OtherFilteredTasks=Další filtrované úkoly NoAssignedTasks=Nebyly nalezeny žádné přiřazené úkoly (přiřadit projekt / úkoly aktuálnímu uživateli z horního výběrového pole pro zadání času na něm) ThirdPartyRequiredToGenerateInvoice=Subjekt musí být definován na projektu, aby mohl fakturovat. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +ChooseANotYetAssignedTask=Vyberte úkol, který vám ještě nebyl přidělen # Comments trans AllowCommentOnTask=Povolení uživatelských komentářů k úkolům AllowCommentOnProject=Umožňuje uživatelským komentářům k projektům @@ -253,15 +253,16 @@ TimeSpentForInvoice=Strávený čas OneLinePerUser=Jeden řádek na uživatele ServiceToUseOnLines=Služba pro použití na tratích InvoiceGeneratedFromTimeSpent=Faktura %s byla vygenerována z času stráveného na projektu -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use +ProjectBillTimeDescription=Zkontrolujte, zda zadáváte časový rozvrh úkolů projektu A máte v úmyslu vygenerovat faktury z časového rozvrhu, abyste fakturovali zákazníkovi projektu (nekontrolujte, zda máte v úmyslu vytvořit fakturu, která není založena na zadaných časových rozvrzích). Poznámka: Chcete-li vygenerovat fakturu, přejděte na kartu „Čas strávený“ projektu a vyberte řádky, které chcete zahrnout. +ProjectFollowOpportunity=Následujte příležitost +ProjectFollowTasks=Sledujte úkoly nebo čas strávený +Usage=Používání +UsageOpportunity=Použití: Příležitost +UsageTasks=Použití: Úkoly +UsageBillTimeShort=Použití: Vyúčtování času +InvoiceToUse=Návrh faktury k použití NewInvoice=Nová faktura -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -RefTaskParent=Ref. Parent Task +OneLinePerTask=Jeden řádek na úkol +OneLinePerPeriod=Jeden řádek za období +RefTaskParent=Ref. Nadřazený úkol +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/cs_CZ/receiptprinter.lang b/htdocs/langs/cs_CZ/receiptprinter.lang index fd1a14ecd03..c6d3d00dfa2 100644 --- a/htdocs/langs/cs_CZ/receiptprinter.lang +++ b/htdocs/langs/cs_CZ/receiptprinter.lang @@ -15,12 +15,12 @@ CONNECTOR_DUMMY=Dummy Printer CONNECTOR_NETWORK_PRINT=Síťová tiskárna CONNECTOR_FILE_PRINT=místní tiskárna CONNECTOR_WINDOWS_PRINT=Místní tiskárna Windows -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=Poháry Tiskárna CONNECTOR_DUMMY_HELP=Fake tiskárna pro zkoušku, nedělá nic CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x: 9100 CONNECTOR_FILE_PRINT_HELP=/Dev/usb/lp0,/dev/usb/LP1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=Název tiskárny CUPS, příklad: HPRT_TP805L PROFILE_DEFAULT=Výchozí profil PROFILE_SIMPLE=Zjednodušený profil PROFILE_EPOSTEP=Epos Tep Profile @@ -31,7 +31,7 @@ PROFILE_SIMPLE_HELP=Zjednodušený profil bez grafiky PROFILE_EPOSTEP_HELP=Epos Tep Profile PROFILE_P822D_HELP=P822D Profil bez grafiky PROFILE_STAR_HELP=Star profil -DOL_LINE_FEED=Skip line +DOL_LINE_FEED=Přeskočit řádek DOL_ALIGN_LEFT=Doleva zarovnat DOL_ALIGN_CENTER=Text na střed DOL_ALIGN_RIGHT=Text doprava @@ -45,51 +45,51 @@ DOL_CUT_PAPER_PARTIAL=částečně střih jízdenka DOL_OPEN_DRAWER=Otevřená zásuvka na peníze DOL_ACTIVATE_BUZZER=aktivovat bzučák DOL_PRINT_QRCODE=Tisknout QR Code -DOL_PRINT_LOGO=Print logo of my company -DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) -DOL_BOLD=Bold -DOL_BOLD_DISABLED=Disable bold -DOL_DOUBLE_HEIGHT=Double height size -DOL_DOUBLE_WIDTH=Double width size -DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size -DOL_UNDERLINE=Enable underline -DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound -DOL_PRINT_TEXT=Print text +DOL_PRINT_LOGO=Tisk loga mé společnosti +DOL_PRINT_LOGO_OLD=Vytisknout logo mé společnosti (staré tiskárny) +DOL_BOLD=tučně +DOL_BOLD_DISABLED=Zakázat tučně +DOL_DOUBLE_HEIGHT=Dvojitá výška +DOL_DOUBLE_WIDTH=Dvojitá šířka +DOL_DEFAULT_HEIGHT_WIDTH=Výchozí výška a šířka +DOL_UNDERLINE=Povolit podtržení +DOL_UNDERLINE_DISABLED=Zakázat podtržení +DOL_BEEP=Být zvuk +DOL_PRINT_TEXT=Tisk textu DOL_VALUE_DATE=Fakturační datum -DOL_VALUE_DATE_TIME=Invoice date and time -DOL_VALUE_YEAR=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -DOL_VALUE_OBJECT_ID=Invoice ID +DOL_VALUE_DATE_TIME=Datum a čas fakturace +DOL_VALUE_YEAR=Fakturační rok +DOL_VALUE_MONTH_LETTERS=Fakturační měsíc v dopisech +DOL_VALUE_MONTH=Fakturační měsíc +DOL_VALUE_DAY=Fakturační den +DOL_VALUE_DAY_LETTERS=fakturační den v dopisech +DOL_LINE_FEED_REVERSE=Řádek zpětného posuvu +DOL_VALUE_OBJECT_ID=ID faktury DOL_VALUE_OBJECT_REF=Faktura ref -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -DOL_VALUE_MYSOC_ADDRESS=Your company address -DOL_VALUE_MYSOC_ZIP=Your zip code -DOL_VALUE_MYSOC_TOWN=Your town -DOL_VALUE_MYSOC_COUNTRY=Your country -DOL_VALUE_MYSOC_IDPROF1=Your IDPROF1 -DOL_VALUE_MYSOC_IDPROF2=Your IDPROF2 -DOL_VALUE_MYSOC_IDPROF3=Your IDPROF3 -DOL_VALUE_MYSOC_IDPROF4=Your IDPROF4 -DOL_VALUE_MYSOC_IDPROF5=Your IDPROF5 -DOL_VALUE_MYSOC_IDPROF6=Your IDPROF6 +DOL_PRINT_OBJECT_LINES=Fakturační řádky +DOL_VALUE_CUSTOMER_FIRSTNAME=Jméno zákazníka +DOL_VALUE_CUSTOMER_LASTNAME=Příjmení zákazníka +DOL_VALUE_CUSTOMER_MAIL=Mail zákazníka +DOL_VALUE_CUSTOMER_PHONE=Telefon zákazníka +DOL_VALUE_CUSTOMER_MOBILE=Mobil zákazníka +DOL_VALUE_CUSTOMER_SKYPE=Zákazník Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Daňové číslo zákazníka +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Zůstatek na účtu zákazníka +DOL_VALUE_MYSOC_NAME=Název vaší společnosti +DOL_VALUE_MYSOC_ADDRESS=Adresa vaší společnosti +DOL_VALUE_MYSOC_ZIP=Vaše PSČ +DOL_VALUE_MYSOC_TOWN=Vaše město +DOL_VALUE_MYSOC_COUNTRY=Vaše země +DOL_VALUE_MYSOC_IDPROF1=Vaše IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=Vaše IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=Vaše IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=Vaše IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=Vaše IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=Vaše IDPROF6 DOL_VALUE_MYSOC_TVA_INTRA=Identifikační číslo DPH uvnitř Společenství DOL_VALUE_MYSOC_CAPITAL=Kapitál -DOL_VALUE_VENDOR_LASTNAME=Vendor last name -DOL_VALUE_VENDOR_FIRSTNAME=Vendor first name -DOL_VALUE_VENDOR_MAIL=Vendor mail -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_VENDOR_LASTNAME=Příjmení dodavatele +DOL_VALUE_VENDOR_FIRSTNAME=Jméno dodavatele +DOL_VALUE_VENDOR_MAIL=Mail dodavatele +DOL_VALUE_CUSTOMER_POINTS=Zákaznické body +DOL_VALUE_OBJECT_POINTS=Body bodů diff --git a/htdocs/langs/cs_CZ/receptions.lang b/htdocs/langs/cs_CZ/receptions.lang index 128f8c1cca0..015132d8d84 100644 --- a/htdocs/langs/cs_CZ/receptions.lang +++ b/htdocs/langs/cs_CZ/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Množství produktu již obdrženo ValidateOrderFirstBeforeReception=Nejprve musíte potvrdit objednávku, než budete moci přijímat recepce. ReceptionsNumberingModules=Modul číslování pro recepce ReceptionsReceiptModel=Šablony dokumentů pro recepce +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/cs_CZ/sendings.lang b/htdocs/langs/cs_CZ/sendings.lang index af5f73bf69f..94d137ed4a6 100644 --- a/htdocs/langs/cs_CZ/sendings.lang +++ b/htdocs/langs/cs_CZ/sendings.lang @@ -21,7 +21,7 @@ QtyShipped=Množství odesláno QtyShippedShort=Qty ship. QtyPreparedOrShipped=Množství připravených nebo zaslaných QtyToShip=Množství na loď -QtyToReceive=Qty to receive +QtyToReceive=Množství k přijetí QtyReceived=Množství přijaté QtyInOtherShipments=Množství v jiných zásilkách KeepToShip=Zůstaňte na loď @@ -47,17 +47,17 @@ DateDeliveryPlanned=Plánovaný termín dodání RefDeliveryReceipt=Ref. Potvrzení o doručení StatusReceipt=Stavové potvrzení o doručení DateReceived=Datum doručení -ClassifyReception=Classify reception +ClassifyReception=Klasifikujte příjem SendShippingByEMail=Odeslání zásilky emailem SendShippingRef=Podání zásilky %s ActionsOnShipping=Události zásilky LinkToTrackYourPackage=Odkaz pro sledování balíku ShipmentCreationIsDoneFromOrder=Pro tuto chvíli, je vytvoření nové zásilky provedeno z objednávkové karty. ShipmentLine=Řádek zásilky -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders +ProductQtyInCustomersOrdersRunning=Množství produktu z otevřených prodejních objednávek +ProductQtyInSuppliersOrdersRunning=Množství produktu z otevřených objednávek ProductQtyInShipmentAlreadySent=Množství již odeslaných produktů z objednávek zákazníka -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received +ProductQtyInSuppliersShipmentAlreadyRecevied=Množství produktu z již přijatých otevřených objednávek NoProductToShipFoundIntoStock=Na skladě nebyl nalezen žádný produkt k dopravě %s . Opravte zásoby nebo se vraťte k výběru jiného skladu. WeightVolShort=Hmotnost / objem ValidateOrderFirstBeforeShipment=Nejprve musíte potvrdit objednávku před tím, než budete moci uskutečnit zásilky. diff --git a/htdocs/langs/cs_CZ/stocks.lang b/htdocs/langs/cs_CZ/stocks.lang index efac338d41e..0b7ffbde282 100644 --- a/htdocs/langs/cs_CZ/stocks.lang +++ b/htdocs/langs/cs_CZ/stocks.lang @@ -26,9 +26,9 @@ ListOfWarehouses=Seznam skladišť ListOfStockMovements=Přehled skladových pohybů ListOfInventories=Seznam zásob MovementId=ID pohybu -StockMovementForId=Hnutí ID %d +StockMovementForId=ID pohybu %d ListMouvementStockProject=Seznam pohybů zásob spojené s projektem -StocksArea=Sklady prostor +StocksArea=Skladové prostory AllWarehouses=Všechny sklady IncludeAlsoDraftOrders=Zahrnout také návrhy objednávek Location=Umístění @@ -49,13 +49,20 @@ StockMovements=Pohyby zásob NumberOfUnit=Počet jednotek UnitPurchaseValue=Jednotková kupní cena StockTooLow=Stav skladu je nízký -StockLowerThanLimit=Sklad nižší než výstražný limit (%s) +StockLowerThanLimit=Zásoby nižší než limit upozornění (%s) EnhancedValue=Hodnota PMPValue=Vážená průměrná cena PMPValueShort=WAP EnhancedValueOfWarehouses=Hodnota skladů UserWarehouseAutoCreate=Vytvoření uživatelského skladu automaticky při vytváření uživatele -AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +AllowAddLimitStockByWarehouse=Spravujte také hodnotu pro minimální a požadovanou zásobu na párování (produktový sklad) kromě hodnoty pro minimální a požadovanou zásobu na produkt +RuleForWarehouse=Pravidlo pro sklady +WarehouseAskWarehouseDuringOrder=Nastavit sklad na prodejní objednávky +UserDefaultWarehouse=Nastavit sklad na Uživatelé +DefaultWarehouseActive=Výchozí sklad je aktivní +MainDefaultWarehouse=Výchozí sklad +MainDefaultWarehouseUser=Použít výchozí sklad uživatelského skladu +MainDefaultWarehouseUserDesc=/! \\ Aktivací této možnosti zlato z vytvoření článku bude v tomto článku definován sklad přiřazený uživateli. Není-li u uživatele definován žádný sklad, je definován výchozí sklad. IndependantSubProductStock=Produktová skladová zásoba a podprojekt jsou nezávislé QtyDispatched=Množství odesláno QtyDispatchedShort=Odeslané množství @@ -66,12 +73,12 @@ RuleForStockManagementIncrease=Zvolte Pravidlo pro automatické zvýšení záso DeStockOnBill=Snížení skutečných zásob při validaci zákaznické faktury / dobropisu DeStockOnValidateOrder=Snížení skutečných zásob při validaci objednávky prodeje DeStockOnShipment=Pokles reálné zásoby na odeslání potvrzení -DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed +DeStockOnShipmentOnClosing=Snižte skutečné zásoby, když je přeprava uzavřena ReStockOnBill=Zvyšte skutečné zásoby při ověření faktury prodejce / dobropisu ReStockOnValidateOrder=Zvyšte skutečné zásoby při schválení objednávky ReStockOnDispatchOrder=Zvyšte reálné zásoby při manuálním odeslání do skladu, po obdržení objednávky zboží -StockOnReception=Increase real stocks on validation of reception -StockOnReceptionOnClosing=Increase real stocks when reception is set to closed +StockOnReception=Zvýšení reálných zásob při ověřování příjmu +StockOnReceptionOnClosing=Pokud je příjem nastaven na uzavřený, zvyšte skutečné zásoby OrderStatusNotReadyToDispatch=Objednávka ještě nebo nadále nemá status, který umožňuje odesílání produktů ve skladových skladech. StockDiffPhysicTeoric=Vysvětlení rozdílu mezi fyzickým a teoretickým skladem NoPredefinedProductToDispatch=Žádné předdefinované produkty pro tento objekt. Není tedy nutné odeslat zboží na skladě. @@ -98,7 +105,7 @@ EstimatedStockValueSell=Hodnota k prodeji EstimatedStockValueShort=Vstupní hodnota zásob EstimatedStockValue=Vstupní hodnota zásob DeleteAWarehouse=Odstranění skladiště -ConfirmDeleteWarehouse=Jste si jisti, že chcete vymazat sklad %s ? +ConfirmDeleteWarehouse=Opravdu chcete vymazat sklad %s ? PersonalStock=Osobní sklad %s ThisWarehouseIsPersonalStock=Tento sklad představuje osobní zásobu %s %s SelectWarehouseForStockDecrease=Zvolte skladiště pro použití snížení zásob @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Skladiště %s budou použity pro snížení sk WarehouseForStockIncrease=Skladiště %s budou použity pro zvýšení stavu zásob ForThisWarehouse=Z tohoto skladiště ReplenishmentStatusDesc=Toto je seznam všech produktů, jejichž zásoba je nižší než požadovaná zásoba (nebo je nižší než hodnota výstrahy, pokud je zaškrtnuto políčko "pouze výstraha"). Pomocí zaškrtávacího políčka můžete vytvořit objednávky k vyplnění rozdílu. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Jedná se o seznam všech otevřených objednávek včetně předdefinovaných produktů. Otevřeny jsou pouze objednávky s předdefinovanými produkty, takže objednávky, které mohou ovlivnit zásoby, jsou zde viditelné. Replenishments=Splátky NbOfProductBeforePeriod=Množství produktů %s na skladě, než zvolené období (< %s) @@ -143,7 +151,7 @@ InventoryCode=Kód pohybu nebo zásob IsInPackage=Obsažené v zásilce WarehouseAllowNegativeTransfer=Sklad může být negativní qtyToTranferIsNotEnough=Nemáte dostatek zásob ze zdrojového skladu a vaše nastavení neumožňuje záporné zásoby. -qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). +qtyToTranferLotIsNotEnough=Nemáte dostatek zásob pro toto číslo šarže z vašeho zdrojového skladu a vaše nastavení neumožňuje záporné zásoby (Množství pro produkt '%s' s šarží '%s' je %s ve skladu '%s'). ShowWarehouse=Ukázat skladiště MovementCorrectStock=Sklad obsahuje korekci pro produkt %s MovementTransferStock=Přenos skladových produktů %s do jiného skladiště @@ -185,15 +193,15 @@ SelectFournisseur=Filtr prodejců inventoryOnDate=Inventář INVENTORY_DISABLE_VIRTUAL=Virtuální produkt (sada): neklesněte zásobu dětského produktu INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Použijte kupní cenu, pokud není k dispozici žádná poslední kupní cena -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Pohyby akcií budou mít datum inventury (místo data ověření zásob) inventoryChangePMPPermission=Povolit změnu hodnoty PMP pro produkt ColumnNewPMP=Nová jednotka PMP -OnlyProdsInStock=Nepřidávejte produkt bez zásob +OnlyProdsInStock=Nepřidávejte produkt bez zásoby TheoricalQty=Teoretické množství TheoricalValue=Teoretické množství LastPA=Poslední BP CurrentPA=Aktuální BP -RecordedQty=Recorded Qty +RecordedQty=Zaznamenané množství RealQty=Skutečné množství RealValue=Skutečná hodnota RegulatedQty=Regulovaný počet @@ -214,7 +222,8 @@ StockIncreaseAfterCorrectTransfer=Zvyšte korekcí / převodem StockDecreaseAfterCorrectTransfer=Snížení o opravu / převod StockIncrease=Zvýšení zásob StockDecrease=Snížení stavu zásob -InventoryForASpecificWarehouse=Inventory for a specific warehouse -InventoryForASpecificProduct=Inventory for a specific product -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to +InventoryForASpecificWarehouse=Inventář konkrétního skladu +InventoryForASpecificProduct=Inventář konkrétního produktu +StockIsRequiredToChooseWhichLotToUse=Zásoba je povinna zvolit, které množství se má použít +ForceTo=Vynutit +AlwaysShowFullArbo=Zobrazit plný strom skladu v rozbalovacím seznamu propojení skladu (Upozornění: Může to dramaticky snížit výkon) diff --git a/htdocs/langs/cs_CZ/stripe.lang b/htdocs/langs/cs_CZ/stripe.lang index a0dd5814103..195611be7da 100644 --- a/htdocs/langs/cs_CZ/stripe.lang +++ b/htdocs/langs/cs_CZ/stripe.lang @@ -12,17 +12,17 @@ YourEMail=E-mail pro potvrzení platby STRIPE_PAYONLINE_SENDEMAIL=E-mailové oznámení po pokusu o platbu (úspěch nebo neúspěch) Creditor=Věřitel PaymentCode=Platební kód -StripeDoPayment=Pay with Stripe +StripeDoPayment=Platba kreditní nebo debetní kartou (Stripe) YouWillBeRedirectedOnStripe=Budete přesměrováni na zabezpečené stránce Stripe, abyste mohli zadat informace o kreditní kartě Continue=Další ToOfferALinkForOnlinePayment=URL pro %s platby -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) +ToOfferALinkForOnlinePaymentOnOrder=URL, která nabízí online platební stránku %s pro prodejní objednávku +ToOfferALinkForOnlinePaymentOnInvoice=URL, která nabízí online platební stránku %s pro fakturu zákazníka +ToOfferALinkForOnlinePaymentOnContractLine=URL, která nabízí online platební stránku %s pro smluvní linii +ToOfferALinkForOnlinePaymentOnFreeAmount=URL, která nabízí online platební stránku %s jakékoli částky bez existujícího objektu +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL, která nabízí online platební stránku %s pro předplatné člena +ToOfferALinkForOnlinePaymentOnDonation=URL, která nabízí online platební stránku %s pro výplatu daru +YouCanAddTagOnUrl=Můžete také přidat parametr url & tag = do kterékoli z těchto adres URL (povinné pouze pro platby, které nejsou propojeny s objektem), a přidat vlastní značku platebních komentářů.
Pro URL plateb bez existujícího objektu můžete také přidat parametr & noidempotency = 1 , takže stejný odkaz se stejnou značkou může být použit několikrát (některý platební režim může omezit platbu na 1 pro každý jiný odkaz bez tohoto parametr) SetupStripeToHavePaymentCreatedAutomatically=Nastavte Stripe pomocí url %s , aby se platba automaticky vytvořila při ověření Stripe. AccountParameter=Parametry účtu UsageParameter=Použité parametry @@ -32,7 +32,7 @@ VendorName=Název dodavatele CSSUrlForPaymentForm=CSS styly url platebního formuláře NewStripePaymentReceived=Byla obdržena nová platba Stripe NewStripePaymentFailed=Pokus o novou Stripe platbu, ta ale selhala -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Nepodařilo se nabít kartu STRIPE_TEST_SECRET_KEY=Tajný testovací klíč STRIPE_TEST_PUBLISHABLE_KEY=Testovatelný klíč pro publikování STRIPE_TEST_WEBHOOK_KEY=Testovací klíč Webhook @@ -67,6 +67,6 @@ StripeUserAccountForActions=Uživatelský účet, který se má používat pro e StripePayoutList=Seznam páskových výplat ToOfferALinkForTestWebhook=Odkaz na nastavení Stripe WebHook pro volání IPN (testovací režim) ToOfferALinkForLiveWebhook=Odkaz na nastavení Stripe WebHook pro volání IPN (provozní režim) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +PaymentWillBeRecordedForNextPeriod=Platba bude zaznamenána pro další období. +ClickHereToTryAgain= Klikněte zde a zkuste to znovu ... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Vzhledem k přísným pravidlům pro ověřování zákazníků musí být karta vytvořena z backoffice Stripe. Klepnutím sem zapnete záznam zákazníka Stripe: %s diff --git a/htdocs/langs/cs_CZ/ticket.lang b/htdocs/langs/cs_CZ/ticket.lang index ef4073c3d58..7584a4ffc07 100644 --- a/htdocs/langs/cs_CZ/ticket.lang +++ b/htdocs/langs/cs_CZ/ticket.lang @@ -30,14 +30,14 @@ Permission56005=Viz vstupenky všech subjektů (neplatí pro externí uživatele TicketDictType=Vstupenka - Typy TicketDictCategory=Vstupenka - skupiny TicketDictSeverity=Vstupenka - závažnosti -TicketDictResolution=Ticket - Resolution +TicketDictResolution=Vstupenka - rozlišení TicketTypeShortBUGSOFT=Logika Dysfonctionnement TicketTypeShortBUGHARD=Dysfonctionnement matériel -nějaký mišmaš ??? TicketTypeShortCOM=Obchodní otázka -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue, bug or problem -TicketTypeShortREQUEST=Change or enhancement request +TicketTypeShortHELP=Žádost o funkční pomoc +TicketTypeShortISSUE=Problém, chyba nebo problém +TicketTypeShortREQUEST=Žádost o změnu nebo vylepšení TicketTypeShortPROJET=Projekt TicketTypeShortOTHER=Jiný @@ -130,21 +130,25 @@ TicketNumberingModules=Modul číslování vstupenek TicketNotifyTiersAtCreation=Upozornit subjekt na vytvoření TicketGroup=Skupina TicketsDisableCustomerEmail=Pokud je lístek vytvořen z veřejného rozhraní, vždy zakažte e-maily +TicketsPublicNotificationNewMessage=Po přidání nové zprávy odešlete e-mail(y) +TicketsPublicNotificationNewMessageHelp=Odeslat e-mail(y) při přidání nové zprávy z veřejného rozhraní (přiřazenému uživateli nebo e-mailu s oznámením do (aktualizace) a/nebo e-mailu s oznámením do) +TicketPublicNotificationNewMessageDefaultEmail=E-mail s oznámeními (aktualizace) +TicketPublicNotificationNewMessageDefaultEmailHelp=Pokud na lístek není přiřazen uživatel nebo nemá e-mail, zašlete na tuto adresu e-mailem oznámení o nové zprávě. # # Index & list page # -TicketsIndex=Vstupenka - domov +TicketsIndex=Vstupenky TicketList=Seznam vstupenek TicketAssignedToMeInfos=Tato stránka zobrazuje seznam lístků vytvořených nebo přiřazených aktuálnímu uživateli NoTicketsFound=Nebyla nalezena žádná vstupenka -NoUnreadTicketsFound=No unread ticket found +NoUnreadTicketsFound=Nebyl nalezen žádný nepřečtený lístek TicketViewAllTickets=Zobrazit všechny vstupenky TicketViewNonClosedOnly=Zobrazit pouze otevřené vstupenky TicketStatByStatus=Vstupenky podle statusu -OrderByDateAsc=Sort by ascending date -OrderByDateDesc=Sort by descending date -ShowAsConversation=Show as conversation list -MessageListViewType=Show as table list +OrderByDateAsc=Seřadit podle vzestupného data +OrderByDateDesc=Seřadit podle sestupného data +ShowAsConversation=Zobrazit jako seznam konverzací +MessageListViewType=Zobrazit jako seznam tabulek # # Ticket card @@ -230,9 +234,9 @@ TicketConfirmChangeStatus=Potvrďte změnu stavu: %s? TicketLogStatusChanged=Stav změněn: %s až %s TicketNotNotifyTiersAtCreate=Neinformovat společnost na vytvoření Unread=Nepřečtený -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. -PublicInterfaceNotEnabled=Public interface was not enabled -ErrorTicketRefRequired=Ticket reference name is required +TicketNotCreatedFromPublicInterface=Není dostupný. Vstupenka nebyla vytvořena z veřejného rozhraní. +PublicInterfaceNotEnabled=Veřejné rozhraní nebylo povoleno +ErrorTicketRefRequired=Je vyžadován referenční název vstupenky # # Logs @@ -242,7 +246,7 @@ NoLogForThisTicket=Pro tento lístek zatím není žádný záznam TicketLogAssignedTo=Vstupenka %s přiřazena %s TicketLogPropertyChanged=Vstupenka %s upraveno: klasifikace z %s do %s TicketLogClosedBy=Vstupenka %s uzavřena %s -TicketLogReopen=Ticket %s re-open +TicketLogReopen=Vstupenka %s se znovu otevře # # Public pages @@ -252,9 +256,9 @@ ShowListTicketWithTrackId=Zobrazí seznam lístků z ID stopy ShowTicketWithTrackId=Zobrazit jízdenku z ID stopy TicketPublicDesc=Můžete vytvořit lístek podpory nebo šek z existujícího ID. YourTicketSuccessfullySaved=Lístek byl úspěšně uložen! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. +MesgInfosPublicTicketCreatedWithTrackId=Byl vytvořen nový lístek s ID %s a Ref %s. PleaseRememberThisId=Udržujte prosím sledovací číslo, které bychom vás mohli požádat později. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Potvrzení vytvoření lístku - Ref %s (ID veřejné vstupenky %s) TicketNewEmailSubjectCustomer=Nová podpora lístku TicketNewEmailBody=Jedná se o automatický e-mail, který potvrzuje, že jste zaregistrovali nový lístek. TicketNewEmailBodyCustomer=Jedná se o automatický e-mail, který potvrzuje, že byl do vašeho účtu právě vytvořen nový lístek. @@ -273,15 +277,15 @@ Subject=Předmět ViewTicket=Zobrazit lístek ViewMyTicketList=Zobrazit seznam lístků ErrorEmailMustExistToCreateTicket=Chyba: e-mailová adresa nebyla nalezena v naší databázi -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailSubjectAdmin=Byl vytvořen nový lístek - Ref %s (ID veřejné vstupenky %s) TicketNewEmailBodyAdmin=

Lístek byl právě vytvořen s ID # %s, viz informace:

SeeThisTicketIntomanagementInterface=Viz tiket v rozhraní pro správu TicketPublicInterfaceForbidden=Veřejné rozhraní pro vstupenky nebylo povoleno ErrorEmailOrTrackingInvalid=Špatná hodnota pro ID sledování nebo e-mail -OldUser=Old user +OldUser=Starý uživatel NewUser=Nový uživatel -NumberOfTicketsByMonth=Number of tickets per month -NbOfTickets=Number of tickets +NumberOfTicketsByMonth=Počet vstupenek za měsíc +NbOfTickets=Počet vstupenek # notifications TicketNotificationEmailSubject=Vstupenka %s aktualizována TicketNotificationEmailBody=Toto je automatická zpráva, která vás upozorní, že právě byla aktualizována vstupenka %s diff --git a/htdocs/langs/cs_CZ/website.lang b/htdocs/langs/cs_CZ/website.lang index 252f8b08a8b..eaefbb2604e 100644 --- a/htdocs/langs/cs_CZ/website.lang +++ b/htdocs/langs/cs_CZ/website.lang @@ -2,7 +2,7 @@ Shortname=Kód WebsiteSetupDesc=Vytvořte zde webové stránky, které chcete používat. Poté přejděte do nabídky Webové stránky a upravte je. DeleteWebsite=Odstranit web -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. +ConfirmDeleteWebsite=Opravdu chcete tento web odstranit? Všechny její stránky a obsah budou také odstraněny. Nahrané soubory (jako do adresáře médií, modul ECM, ...) zůstanou. WEBSITE_TYPE_CONTAINER=Typ stránky / kontejneru WEBSITE_PAGE_EXAMPLE=Webovou stránku, kterou chcete použít jako příklad WEBSITE_PAGENAME=Název stránky / alias @@ -14,9 +14,10 @@ WEBSITE_JS_INLINE=Obsah souboru Javascript (společný pro všechny stránky) WEBSITE_HTML_HEADER=Přidání v dolní části hlavičky HTML (společné pro všechny stránky) WEBSITE_ROBOT=Soubor pro roboty (soubor robots.txt) WEBSITE_HTACCESS=Soubor .htaccess -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. +WEBSITE_MANIFEST_JSON=Soubor manifest.json webové stránky +WEBSITE_README=Soubor README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values +EnterHereLicenseInformation=Sem zadejte metadata nebo licenční informace a vyplňte soubor README.md. Pokud distribuujete svůj web jako šablonu, bude soubor zahrnut do temptátového balíčku. HtmlHeaderPage=Záhlaví HTML (pouze pro tuto stránku) PageNameAliasHelp=Název nebo alias stránky.
Tento alias je také používán k vytvoření adresy URL při běhu webových stránek z virtuálního hostitele webového serveru (jako Apacke, Nginx, ...). Pomocí tlačítka " %s " upravte tento alias. EditTheWebSiteForACommonHeader=Poznámka: Pokud chcete definovat osobní hlavičku pro všechny stránky, upravte záhlaví na úrovni webu namísto na stránce / kontejneru. @@ -24,7 +25,7 @@ MediaFiles=knihovna multimédií EditCss=Upravit vlastnosti webu EditMenu=Úprava menu EditMedias=Upravit média -EditPageMeta=Edit page/container properties +EditPageMeta=Upravit vlastnosti stránky / kontejneru EditInLine=Úpravy v řádku AddWebsite=Přidat webovou stránku Webpage=Webová stránka / kontejner @@ -42,10 +43,10 @@ ViewPageInNewTab=Zobrazit stránku v nové kartě SetAsHomePage=Nastavit jako domovskou stránku RealURL=real URL ViewWebsiteInProduction=Pohled webové stránky s použitím domácí adresy URL -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost= Použit Apache / Nginx / ...
vytvořit na svůj webový server (Apache, Nginx, ...) a vyhrazený virtuálního hostitele s PHP povoleno a Kořenový adresář na
%s +ExampleToUseInApacheVirtualHostConfig=Příklad použití v nastavení virtuálního hostitele Apache: YouCanAlsoTestWithPHPS=  Použití s vloženým serverem PHP
Při vývoji prostředí můžete upřednostňovat testování webu pomocí integrovaného webového serveru PHP (PHP 5.5 vyžadováno) spuštěním
php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org +YouCanAlsoDeployToAnotherWHP= Provozujte svůj web s jiným poskytovatelem hostingu Dolibarr
Pokud nemáte webový server jako Apache nebo NGinx dostupný na internetu, můžete exportovat a importovat webový server na jinou instanci Dolibarr poskytovanou jiným poskytovatelem hostingu Dolibarr. integrace s modulem webových stránek. Seznam některých poskytovatelů hostingu Dolibarr najdete na https://saas.dolibarr.org CheckVirtualHostPerms=Zkontrolujte také, že virtuální hostitel má oprávnění %s na souborech do
%s ReadPerm=Číst WritePerm=Zápis @@ -57,7 +58,7 @@ NoPageYet=Zatím žádné stránky YouCanCreatePageOrImportTemplate=Můžete vytvořit novou stránku nebo importovat úplnou šablonu webových stránek SyntaxHelp=Nápověda ke konkrétním tipům pro syntaxi YouCanEditHtmlSourceckeditor=Zdrojový kód HTML můžete upravit pomocí tlačítka "Zdroj" v editoru. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Do tohoto zdroje můžete zahrnout kód PHP pomocí značek <? php? > K dispozici jsou následující globální proměnné: $ conf, $ db, $ mysoc, $ user, $ web, $ websitepage, $ weblangs, $ pagelangs.

Můžete také zahrnout obsah jiné stránky / kontejneru s následující syntaxí:
<?php includeContainer('alias_of_container_to_include'); ?>

můžete provést přesměrování na jinou stránku / Kontejner s následující syntaxí (Poznámka: Nepoužívejte výstup jakýkoli obsah před přesměrováním):?
< php redirectToContainer ( ‚alias_of_container_to_redirect_to‘); ? >

Pro přidání odkazu na jinou stránku, použijte syntaxi:
<a href = "alias_of_page_to_link_to.php" >mylink<a>

Chcete-li zahrnout odkaz ke stažení souboru uloženého do dokumentů adresář, použijte document.php obálky:
například na soubor do dokumentů / ECM (musíte být přihlášeni), syntax je:?
<a href = "/document.php modulepart = ECM & file = [relative_dir/] název_souboru.ext ">
Pro soubor do dokumentů / médií (otevřený adresář pro veřejný přístup) je syntaxe:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
U souboru sdíleného s odkazem na sdílenou složku (otevřený přístup pomocí klíče hash souboru sdílení) je syntaxe
<a href="/document.php?hashp=publicsharekeyoffile">

Chcete-li zahrnout obrázek uložený do adresáře dokumentů, použijte viewimage.php obálku:
Příklad, pro obraz do dokumentů/médií (otevřený adresář pro veřejný přístup), syntaxe je:
<img src="\\/viewimage.php?modulepart=medias&file=[relative_dir\\/]filename.ext">

Další příklady HTML nebo dynamického kódu dostupného v dokumentaci wiki
. ClonePage=Klonovat stránku / kontejner CloneSite=Kopie stránky SiteAdded=Webová stránka byla přidána @@ -77,15 +78,15 @@ BlogPost=Příspěvek na blogu WebsiteAccount=Účet webových stránek WebsiteAccounts=Účty webových stránek AddWebsiteAccount=Vytvořte účet webových stránek -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Zpět na seznam pro subjekt DisableSiteFirst=Nejprve zakažte web MyContainerTitle=Název mé webové stránky -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... +AnotherContainer=Takto lze zahrnout obsah jiné stránky / kontejneru (pokud povolíte dynamický kód, protože integrovaný subdodavatel nemusí existovat, může se zde vyskytnout chyba) +SorryWebsiteIsCurrentlyOffLine=Je nám líto, ale tento web je nyní offline. Vraťte se prosím později ... WEBSITE_USE_WEBSITE_ACCOUNTS=Povolte tabulku účtu webových stránek WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktivujte tabulku pro ukládání účtů webových stránek (login / heslo) pro každý web / třetí stranu YouMustDefineTheHomePage=Nejprve musíte definovat výchozí domovskou stránku -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Upozornění: Vytvoření webové stránky importem externí webové stránky je vyhrazeno zkušeným uživatelům. V závislosti na složitosti zdrojové stránky se může výsledek importu lišit od originálu. Pokud zdrojová stránka používá běžné styly CSS nebo konfliktní javascript, může při práci na této stránce narušit vzhled nebo funkce editoru webových stránek. Tato metoda je rychlejší způsob vytvoření stránky, ale doporučuje se vytvořit novou stránku od nuly nebo z navrhované šablony stránky.
Všimněte si také, že inline editor nemusí fungovat správně, pokud je použit na poutané externí stránce. OnlyEditionOfSourceForGrabbedContent=Pouze vydání zdroje HTML je možné, pokud byl obsah chycen z externího webu GrabImagesInto=Uchopte také obrázky do css a stránky. ImagesShouldBeSavedInto=Obrázky je třeba uložit do adresáře @@ -95,8 +96,8 @@ AliasPageAlreadyExists=Stránka aliasu %s již existuje CorporateHomePage=Domovská stránka firmy EmptyPage=Prázdná stránka ExternalURLMustStartWithHttp=Externí adresa URL musí začít s http: // nebo https: // -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package +ZipOfWebsitePackageToImport=Nahrajte soubor ZIP balíčku šablony webové stránky +ZipOfWebsitePackageToLoad=nebo Vyberte dostupný balíček integrovaných webových stránek ShowSubcontainers=Zahrnout dynamický obsah InternalURLOfPage=Interní adresa URL stránky ThisPageIsTranslationOf=Tato stránka / kontejner je překladem @@ -105,26 +106,29 @@ NoWebSiteCreateOneFirst=Dosud nebyla vytvořena žádná webová stránka. Nejpr GoTo=Jít do DynamicPHPCodeContainsAForbiddenInstruction=Přidáte dynamický PHP kód, který obsahuje instrukci PHP '%s ' která je implicitně zakázána jako dynamický obsah (viz skryté možnosti WEBSITE_PHP_ALLOW_xxx pro zvýšení seznamu povolených příkazů). NotAllowedToAddDynamicContent=Nemáte oprávnění přidávat nebo upravovat dynamický obsah PHP na webových stránkách. Požádejte o svolení nebo ponechte kód v tagech php beze změny. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

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

Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content +ReplaceWebsiteContent=Vyhledejte nebo vyměňte obsah webových stránek +DeleteAlsoJs=Odstranit také všechny soubory javascript specifické pro tento web? +DeleteAlsoMedias=Smazat také všechny mediální soubory specifické pro tento web? +MyWebsitePages=Moje webové stránky +SearchReplaceInto=Hledat | Nahraďte jej +ReplaceString=Nový řetězec +CSSContentTooltipHelp=Sem zadejte obsah CSS. Chcete-li se vyhnout jakémukoli konfliktu s CSS aplikace, nezapomeňte předat všechny deklarace třídy .bodywebsite. Například:

#mycssselector, input.myclass: hover {...}
musí být
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

Poznámka: Pokud máte velký soubor bez této předpony, můžete jej převést k připojení předpony .bodywebsite všude pomocí "lessc". +LinkAndScriptsHereAreNotLoadedInEditor=Upozornění: Tento obsah je vydáván pouze v případě, že je server přístupný ze serveru. Nepoužívá se v režimu úprav, takže pokud potřebujete načíst soubory javascriptu také v režimu úprav, stačí na stránku přidat značku 'script src = ...'. +Dynamiccontent=Ukázka stránky s dynamickým obsahem ImportSite=Importujte šablonu webových stránek -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +EditInLineOnOff=Režim 'Edit inline' je %s +ShowSubContainersOnOff=Režim provádění „dynamického obsahu“ je %s +GlobalCSSorJS=Globální soubor CSS / JS / Header na webové stránce +BackToHomePage=Zpět na domovskou stránku... +TranslationLinks=Překladové odkazy +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) +UseTextBetween5And70Chars=Pro osvědčené postupy SEO použijte text mezi 5 a 70 znaky +MainLanguage=Hlavní jazyk +OtherLanguages=Jiné jazyky +UseManifest=Zadejte soubor manifest.json +PublicAuthorAlias=Veřejný alias autora +AvailableLanguagesAreDefinedIntoWebsiteProperties=Dostupné jazyky jsou definovány ve vlastnostech webových stránek +ReplacementDoneInXPages=Výměna se provádí na stránkách nebo kontejnerech %s +RSSFeed=RSS Feed +RSSFeedDesc=Pomocí této adresy URL můžete získat RSS kanál nejnovějších článků typu blogpost +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/cs_CZ/withdrawals.lang b/htdocs/langs/cs_CZ/withdrawals.lang index 61a6184e297..21c738773bf 100644 --- a/htdocs/langs/cs_CZ/withdrawals.lang +++ b/htdocs/langs/cs_CZ/withdrawals.lang @@ -1,32 +1,48 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Plocha trvalých příkazů zákazníků -SuppliersStandingOrdersArea=Prostor přímých kreditních platebních příkazů +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Inkasní příkazy k úhradě StandingOrderPayment=Příkaz k inkasu NewStandingOrder=Nový příkaz k inkasu +NewPaymentByBankTransfer=Nová platba bezhotovostním převodem StandingOrderToProcess=Ve zpracování +PaymentByBankTransferReceipts=Příkazy k úhradě +PaymentByBankTransferLines=Řádky bankovních převodů WithdrawalsReceipts=příkazy k inkasu WithdrawalReceipt=Trvalý příkaz +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Poslední příkazy k úhradě %s LastWithdrawalReceipts=Poslední %s soubory inkasní +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Řádky výběrů -RequestStandingOrderToTreat=Žádost o inkasní platby, abychom mohli zpracovat -RequestStandingOrderTreated=Žádost o příkaz k inkasu byla zpracována -NotPossibleForThisStatusOfWithdrawReceiptORLine=Není to možné. Výběrový status musí být nastaven na 'připsání' před prohlášením odmítnutí na konkrétních řádcích. -NbOfInvoiceToWithdraw=Počet kvalifikovaných faktur s objednávkou inkasního příkazu +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed +NotPossibleForThisStatusOfWithdrawReceiptORLine=Zatím to není možné. Před prohlášením o odmítnutí na konkrétních řádcích musí být stav výběru zrušen. +NbOfInvoiceToWithdraw=Počet kvalifikovaných zákaznických faktur s čekající inkasní objednávkou NbOfInvoiceToWithdrawWithInfo=Počet zákaznických faktur s inkasními platebními příkazy s definovanými informacemi o bankovním účtu +NbOfInvoiceToPayByBankTransfer=Počet faktur kvalifikovaných dodavatelů čekajících na platbu převodem +SupplierInvoiceWaitingWithdraw=Faktura dodavatele čekající na platbu převodem InvoiceWaitingWithdraw=Faktura čeká na inkaso +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Částka výběru -WithdrawsRefused=Přímé inkaso odmítnuto -NoInvoiceToWithdraw=Žádná zákaznická faktura s otevřenými "žádostmi o přímé inkaso" čeká. Přejděte na kartu "%s" na kartě faktury, abyste požádali. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Čeká dodavatelská faktura s otevřeným „přímým požadavkem na kredit“. Na kartě faktury přejděte na kartu „%s“ a požádejte o ni. ResponsibleUser=Odpovědný uživatel WithdrawalsSetup=Nastavení platby inkasem +CreditTransferSetup=Nastavení převodu WithdrawStatistics=Statistiky plateb přímého inkasa -WithdrawRejectStatistics=Statistiky zamítnutí platby inkasem +CreditTransferStatistics=Credit transfer statistics +Rejects=Odmítnuto LastWithdrawalReceipt=Poslední %s přímého inkasa debetní -MakeWithdrawRequest=Vytvořit požadavek výběru -WithdrawRequestsDone=%s přímé žádosti o debetní platební zaznamenán +MakeWithdrawRequest=Zadejte žádost o platbu inkasem +WithdrawRequestsDone=%s zaznamenané žádosti o inkaso ThirdPartyBankCode=Kód banky subjektu -NoInvoiceCouldBeWithdrawed=Žádná faktura nebyla úspěšně odepsána. Zkontrolujte, zda jsou faktury na firmy s platným IBAN a zda má IBAN UMR (jedinečný mandátový odkaz) s režimem %s . +NoInvoiceCouldBeWithdrawed=Žádná faktura nebyla odepsána úspěšně. Zkontrolujte, zda jsou faktury u společností s platným IBAN a zda má IBAN UMR (Unique Mandate Reference) s režimem %s . ClassCredited=Označit přidání kreditu ClassCreditedConfirm=Jste si jisti, že chcete zařadit tento výběr příjmu jako připsaný na váš bankovní účet? TransData=Datum přenosu @@ -34,8 +50,10 @@ TransMetod=Způsob přenosu Send=Odeslat Lines=Řádky StandingOrderReject=Vydat odmítnutí +WithdrawsRefused=Přímé inkaso odmítnuto WithdrawalRefused=Výběr odmítnut -WithdrawalRefusedConfirm=Jste si jisti, že chcete zadat odmítnutí výběru pro společnost +CreditTransfersRefused=Credit transfers refused +WithdrawalRefusedConfirm=Opravdu chcete zadat odmítnutí výběru společnosti RefusedData=Datum odmítnutí RefusedReason=Důvod odmítnutí RefusedInvoicing=Fakturace odmítnutí @@ -48,8 +66,8 @@ StatusCredited=Připsání StatusRefused=Odmítnutí StatusMotif0=Nespecifikovaný StatusMotif1=Nedostatek finančních prostředků -StatusMotif2=Žádost zpochybněna -StatusMotif3=Žádný inkasní příkaz k inkasu +StatusMotif2=Žádost byla zpochybněna +StatusMotif3=Žádný příkaz k inkasu StatusMotif4=Prodejní objednávka StatusMotif5=RIB nepoužitelný StatusMotif6=Účet bez rovnováhy @@ -58,6 +76,8 @@ StatusMotif8=Jiný důvod CreateForSepaFRST=Vytvoření souboru s inkasem (SEPA FRST) CreateForSepaRCUR=Vytvořte soubor inkasa (SEPA RCUR) CreateAll=Vytvořit soubor s inkasem (všechny) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Pouze kancelář CreateBanque=Pouze banky OrderWaiting=Čekání na léčbu @@ -67,6 +87,7 @@ NumeroNationalEmetter=Národní převodní číslo WithBankUsingRIB=U bankovních účtů pomocí RIB WithBankUsingBANBIC=U bankovních účtů pomocí IBAN/BIC/SWIFT BankToReceiveWithdraw=Bankovní účet pro příjem +BankToPayCreditTransfer=Bankovní účet používaný jako zdroj plateb CreditDate=Kredit na WithdrawalFileNotCapable=Nelze generovat soubor výběru příjmu pro vaši zemi %s (Vaše země není podporována) ShowWithdraw=Zobrazit příkaz k inkasu @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Pokud však na faktuře dosud nebyl z DoStandingOrdersBeforePayments=Tato karta vám umožňuje požádat o trvalý příkaz. Jakmile to bude hotové,jděte do menu Bankovní údaje-> Výběry pro zřízení trvalého příkazu. Když je trvalý příkazu hotov, platba na faktuře bude automaticky zaznamenána a faktura uzavřena, pokud zbývající částka k placení je nula. WithdrawalFile=Soubor výběru SetToStatusSent=Nastavte na stav "Odeslaný soubor" -ThisWillAlsoAddPaymentOnInvoice=Také budou zaznamenány platby na faktury a budou klasifikovány jako "Placené", pokud zůstane platit, je nulová +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistika podle stavu řádků RUM=UMR DateRUM=Povinné datum podpisu @@ -112,8 +133,8 @@ ADDDAYS=Přidání dnů do data provedení InfoCreditSubject=Placení inkasní příkaz k úhradě %s bankou InfoCreditMessage=Trvalý příkaz %s byl vyplacen bankou
Údaje o platbě: %s InfoTransSubject=Přenos inkasní příkaz k úhradě do banky %s -InfoTransMessage=Inkaso platební příkaz %s byla odeslána do banky by %s %s.
+InfoTransMessage=Příkaz k inkasu %s byl do banky odeslán %s %s.

InfoTransData=Částka: %s
Metoda: %s
Datum: %s -InfoRejectSubject=Přímá platební příkaz k inkasu odmítl -InfoRejectMessage=Dobrý den,

inkasní příkaz k úhradě faktury %s související s %s společnosti, s takovým množstvím %s byla zamítnuta bankou
-.
%s +InfoRejectSubject=Příkaz k inkasu odmítnut +InfoRejectMessage=Dobrý den,

příkaz k inkasu faktury %s týkající se společnosti %s, částkou %s, byla bankou odmítnuta.

-
%s ModeWarning=Volba pro reálný režim nebyl nastaven, můžeme zastavit tuto simulaci diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index 7a9d75ba444..9952ccdde2a 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -1,21 +1,21 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=Regnskab +Accountancy=Bogføring Accounting=Regnskab ACCOUNTING_EXPORT_SEPARATORCSV=Kolonneseparator for eksportfil ACCOUNTING_EXPORT_DATE=Datoformat for eksportfil -ACCOUNTING_EXPORT_PIECE=Export the number of piece -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account +ACCOUNTING_EXPORT_PIECE=Eksporter antallet af enheder +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Eksport med global konto ACCOUNTING_EXPORT_LABEL=Eksporter label -ACCOUNTING_EXPORT_AMOUNT=Eksporter beløb +ACCOUNTING_EXPORT_AMOUNT=Eksportbeløb ACCOUNTING_EXPORT_DEVISE=Eksporter valuta -Selectformat=Vælg formatet for filen -ACCOUNTING_EXPORT_FORMAT=Vælg formatet for filen +Selectformat=Vælg formatet til filen +ACCOUNTING_EXPORT_FORMAT=Vælg formatet til filen ACCOUNTING_EXPORT_ENDLINE=Vælg linjeskift type -ACCOUNTING_EXPORT_PREFIX_SPEC=Angiv præfiks for filnavnet +ACCOUNTING_EXPORT_PREFIX_SPEC=Angiv præfiks for filnavn ThisService=Denne ydelse -ThisProduct=Denne vare -DefaultForService=Standard for ydelse -DefaultForProduct=Standard for vare +ThisProduct=Dette produkt +DefaultForService=forvalg ydelse +DefaultForProduct=Forvalg produkt CantSuggest=Kan ikke foreslå AccountancySetupDoneFromAccountancyMenu=Hovedparten af opsætningen for regnskabet sker fra menuen %s ConfigAccountingExpert=Konfiguration af ekspert Regnskabsmodulet @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Næste skridt skal gøres for at spare tid i fr AccountancyAreaDescActionFreq=Følgende handlinger udføres normalt hver måned, uge ​​eller dag for meget store virksomheder ... AccountancyAreaDescJournalSetup=Trin %s: Opret eller tjek indholdet af din list med kladder fra menuen %s -AccountancyAreaDescChartModel=Trin %s: Opret en kontoplan fra menu %s -AccountancyAreaDescChart=Trin %s: Opret eller tjek indholdet af din kontoplan fra menu %s +AccountancyAreaDescChartModel=TRIN: %s Kontroller, at der findes en model af kontoplan, eller opret en fra menuen %s +AccountancyAreaDescChart=TRIN %s:Vælg og/eller udfyld dit kontoplan fra menuen %s AccountancyAreaDescVat=Trin %s: Definer regnskabskonto for hver momssats. Til dette skal du bruge menupunktet %s. AccountancyAreaDescDefault=TRIN %s: Definer standard regnskabskonti. Til dette skal du bruge menupunktet %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Fakturalinjer, der er bundet ExpenseReportLines=Udgiftsrapportlinjer, der skal bogføres ExpenseReportLinesDone=Linjer bundet til udgiftsrapporter IntoAccount=Bogfør linje i regnskabskonto -TotalForAccount=Total for accounting account +TotalForAccount=Ialt for regnskabskonto Ventilate=Bogfør @@ -169,15 +169,15 @@ DONATION_ACCOUNTINGACCOUNT=Regnskabskonto til registrering af donationer ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Regnskabskonto for at registrere abonnementer ACCOUNTING_PRODUCT_BUY_ACCOUNT=Regnskabskonto som standard for de købte produkter (bruges hvis ikke defineret i produktarket) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Regnskabskonto som standard for de købte produkter i EØF (brugt, hvis ikke defineret i produktarket) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Regnskabskonto som standard for de købte produkter og importeret ud af EØF (brugt, hvis ikke defineret i produktarket) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Regnskabskonto som standard for solgte varer (hvis ikke defineret for varen) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Regnskabskonto som standard for de produkter, der sælges i EØF (bruges, hvis de ikke er defineret i produktarket) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Regnskabskonto som standard for de produkter, der er solgt og eksporteret ud af EØF (brugt, hvis ikke defineret i produktarket) ACCOUNTING_SERVICE_BUY_ACCOUNT=Regnskabskonto som standard for købte ydelser (hvis ikke defineret for varen) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Regnskabskonto som standard for de købte tjenester i EØF (brugt, hvis ikke defineret i servicearket) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Regnskabskonto som standard for de købte tjenester og importeret ud af EØF (brugt hvis ikke defineret i servicearket) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Regnskabskonto som standard for solgte ydelser (hvis ikke defineret for varen) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Regnskabskonto som standard for de tjenester, der sælges i EØF (bruges, hvis de ikke er defineret i servicearket) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Regnskabskonto er som standard for de tjenester, der sælges og eksporteres ud af EØF (bruges, hvis de ikke er defineret i servicearket) @@ -234,15 +234,15 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tredjeparts ukend ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Tredjepartskonto ikke defineret eller tredjepart ukendt. Blokeringsfejl. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Ukendt tredjepartskonto og ventekonto er ikke defineret. Blokeringsfejl PaymentsNotLinkedToProduct=Betaling er ikke knyttet til noget produkt / tjeneste -OpeningBalance=Opening balance +OpeningBalance=Åbnings balance ShowOpeningBalance=Vis åbningsbalance HideOpeningBalance=Skjul åbningsbalancen -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Vis subtotal efter grupper Pcgtype=Kontoens gruppe PcgtypeDesc=Kontogruppe bruges som foruddefinerede 'filter' og 'gruppering' kriterier for nogle regnskabsrapporter. For eksempel bruges 'INKOMST' eller 'UDGIFT' som grupper til regnskabsmæssige regnskaber for produkter til at oprette omkostnings- / indkomstrapporten. -Reconcilable=Reconcilable +Reconcilable=forenelige TotalVente=Samlet omsætning ekskl. moms TotalMarge=Samlet salgsforskel @@ -317,13 +317,13 @@ Modelcsv_quadratus=Eksport til Quadratus QuadraCompta Modelcsv_ebp=Eksport til EBP Modelcsv_cogilog=Eksport til Cogilog Modelcsv_agiris=Eksport til Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) +Modelcsv_LDCompta=Eksport til LD Compta (v9) (Test) +Modelcsv_LDCompta10=Eksport til LD Compta (v10 og nyere) Modelcsv_openconcerto=Eksport til OpenConcerto (Test) Modelcsv_configurable=Eksporter CSV Konfigurerbar Modelcsv_FEC=Eksport FEC Modelcsv_Sage50_Swiss=Eksport til Sage 50 Schweiz -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Eksport Winfic - eWinfic - WinSis Compta ChartofaccountsId=ID for kontoplan ## Tools - Init accounting account on product / service @@ -336,14 +336,14 @@ OptionModeProductSell=Salg OptionModeProductSellIntra=Mode salg eksporteret i EØF OptionModeProductSellExport=Mode salg eksporteret i andre lande OptionModeProductBuy=Køb -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Tilstand købt importeret i EØF +OptionModeProductBuyExport=Tilstand købt importeret fra andre lande OptionModeProductSellDesc=Vis alle varer med salgskonto. OptionModeProductSellIntraDesc=Vis alle produkter med en regnskabskonto for salg i EØF. OptionModeProductSellExportDesc=Vis alle produkter med regnskabskonto for andet udenlandsk salg. OptionModeProductBuyDesc=Vis alle varer med købskonto. -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. +OptionModeProductBuyIntraDesc=Vis alle produkter med en regnskabskonto for køb i EØF. +OptionModeProductBuyExportDesc=Vis alle produkter med en regnskabskonto for andre udenlandske køb. CleanFixHistory=Fjern regnskabskode fra linjer, der ikke eksisterer som posteringer på konto CleanHistory=Nulstil alle bogføringer for det valgte år PredefinedGroups=Foruddefinerede grupper @@ -354,8 +354,8 @@ AccountRemovedFromGroup=Kontoen blev fjernet fra gruppen SaleLocal=Lokalt salg SaleExport=Eksport salg SaleEEC=Salg i EØF -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleEECWithVAT=Salg i EØF med en moms, der ikke er null, så vi antager, at dette IKKE er et intrakommunalt salg, og den foreslåede konto er standardproduktskontoen. +SaleEECWithoutVATNumber=Du kan fastsætte moms-ID for tredjepart eller produktkonto om nødvendigt. ## Dictionary Range=Interval for regnskabskonto diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index fa640a2ad1b..8b8dfbdf86b 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Webserver bruger / gruppe NoSessionFound=Din PHP-konfiguration tillade ikke optagelse af aktive sessioner. Den mappe, der bruges til at gemme sessioner ( %s ), kan være beskyttet (for eksempel via operativsystemet eller ved PHP-direktivet open_basedir). DBStoringCharset=Database charset til at gemme data DBSortingCharset=Database charset for at sortere data -HostCharset=Host charset +HostCharset=Vært tegnsæt ClientCharset=Klient karaktersæt ClientSortingCharset=Kunden sortering WarningModuleNotActive=Modul %s skal være aktiveret @@ -95,14 +95,14 @@ NextValueForInvoices=Næste værdi (fakturaer) NextValueForCreditNotes=Næste værdi (kreditnotaer) NextValueForDeposit=Næste værdi (forskudsbetaling) NextValueForReplacements=Næste værdi (udskiftninger) -MustBeLowerThanPHPLimit=Bemærk: din PHP konfiguration begrænser i øjeblikket maksimum fil størrelsen for upload til %s %s, uanset værdien af denne parameter +MustBeLowerThanPHPLimit=Bemærk: din PHP-konfiguration i øjeblikket begrænser den maksimale filstørrelse for upload til%s %s, uanset værdien af denne parameter NoMaxSizeByPHPLimit=Bemærk: Ingen grænse er sat i din PHP-konfiguration MaxSizeForUploadedFiles=Maksimale størrelse for uploadede filer (0 til disallow enhver upload) UseCaptchaCode=Brug grafisk kode på loginsiden AntiVirusCommand=Fuld sti til antivirus kommando -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Eksempel på ClamAv Daemon (kræver clamav-daemon): / usr / bin / clamdscan
Example for ClamWin (meget meget langsom): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam= Flere parametre på kommandolinjen -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Eksempel på ClamAv Daemon: --fdpass
Example for ClamWin: --database = "C: \\ Program Files (x86) \\ ClamWin \\ lib" ComptaSetup=Opsætning af regnskabsmodul UserSetup=Brugerstyring opsætning MultiCurrencySetup=Multi-valuta opsætning @@ -179,8 +179,8 @@ Compression=Kompression CommandsToDisableForeignKeysForImport=Kommando til at deaktivere udenlandske taster på import CommandsToDisableForeignKeysForImportWarning=Obligatorisk, hvis du ønsker at være i stand til at gendanne din sql dump senere ExportCompatibility=Kompatibilitet af genereret eksportfil -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=Bruge --quick parameter +ExportUseMySQLQuickParameterHelp=Den '--quick' parameter hjælper grænse RAM forbrug til store tabeler. MySqlExportParameters=MySQL eksport parametre PostgreSqlExportParameters= PostgreSQL eksportparametre UseTransactionnalMode=Brug transaktionsbeslutning mode @@ -200,30 +200,30 @@ FeatureDisabledInDemo=Funktionen slået fra i demo FeatureAvailableOnlyOnStable=Funktionen er kun tilgængelig på officielle stabile versioner BoxesDesc=Widgets er komponenter, der viser nogle oplysninger, som du kan tilføje for at tilpasse nogle sider. Du kan vælge mellem at vise widgeten eller ej ved at vælge målside og klikke på 'Aktiver' eller ved at klikke på papirkurven for at deaktivere den. OnlyActiveElementsAreShown=Kun elementer fra de aktiverede moduler er vist. -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. +ModulesDesc=Modulerne / applikationerne bestemmer, hvilke funktioner der er tilgængelige i softwaren. Nogle moduler kræver tilladelse for at blive tildelt brugere efter aktivering af modulet. Klik på tænd / sluk-knappen%s for hvert modul for at aktivere eller deaktivere et modul / program. ModulesMarketPlaceDesc=Du kan finde flere moduler som kan downloades på eksterne hjemmesider på internettet ... ModulesDeployDesc=Hvis tilladelser i dit filsystem tillader det, kan du bruge dette værktøj til at installere et eksternt modul. Modulet vil så være synligt på fanen %s. ModulesMarketPlaces=Finde eksterne app/moduler ModulesDevelopYourModule=Udvikle din egen app / moduler ModulesDevelopDesc=Du kan også udvikle dit eget modul eller finde en partner til at udvikle en til dig. DOLISTOREdescriptionLong=I stedet for at aktivere www.dolistore.com websitet for at finde et eksternt modul, kan du bruge dette indlejrede værktøj, der vil udføre søgningen på eksternt marked for dig (kan være langsom, brug for internetadgang) ... -NewModule=Ny +NewModule=Nyt modul FreeModule=Gratis CompatibleUpTo=Kompatibel med version %s NotCompatible=Dette modul virker ikke kompatibelt med din Dolibarr %s (Min %s - Max %s). CompatibleAfterUpdate=Dette modul kræver en opdatering til din Dolibarr %s (Min %s - Max %s). SeeInMarkerPlace=Se på markedspladsen -SeeSetupOfModule=See setup of module %s +SeeSetupOfModule=Se opsætning af modul%s Updated=Opdater Nouveauté=Nyhed AchatTelechargement=Køb / Download GoModuleSetupArea=For at implementere / installere et nyt modul skal du gå til modulopsætningsområdet: %s . DoliStoreDesc=DoliStore den officielle markedsplads for Dolibarr ERP / CRM eksterne moduler -DoliPartnersDesc=Liste over virksomheder, der leverer specialudviklede moduler eller funktioner.
Bemærk: Da Dolibarr er en open source-applikation, kan hvem som helst , der har erfaring med PHP-programmering udvikle et modul. +DoliPartnersDesc=Liste over virksomheder, der leverer specialudviklede moduler eller funktioner.
Bemærk: Da Dolibarr er en open source-applikation, kan hvem som helst , der har erfaring med PHP-programmering udvikle et modul. WebSiteDesc=Eksterne websites til flere (tredjeparts) tillægsmoduler ... DevelopYourModuleDesc=Nogle løsninger til at udvikle dit eget modul ... URL=URL -RelativeURL=Relative URL +RelativeURL=Relativ URL BoxesAvailable=Bokse til rådighed BoxesActivated=Bokse aktiveret ActivateOn=Aktivér om @@ -273,7 +273,7 @@ Emails=E-Post EMailsSetup=E-post sætop EMailsDesc=Denne side giver dig mulighed for at tilsidesætte dine standard PHP-parametre til afsendelse af e-mails. I de fleste tilfælde på Unix / Linux OS er PHP-opsætningen korrekt, og disse parametre er unødvendige. EmailSenderProfiles=E-mails afsender profiler -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. +EMailsSenderProfileDesc=Du kan holde denne sektion tom. Hvis du indtaster nogle e-mails her, vil de blive tilføjet til listen over mulige afsendere i kombinationsfeltet når din skrive en ny e-mail. MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-port (standardværdi i php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-vært (standardværdi i php.ini: %s ) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS Port (Ikke defineret i PHP på Unix-lignende systemer) @@ -283,7 +283,7 @@ MAIN_MAIL_ERRORS_TO=E-mail, der bruges til at returnere e-mails ved fejl ('Error MAIN_MAIL_AUTOCOPY_TO= Kopier (Bcc) alle sendte e-mails til MAIN_DISABLE_ALL_MAILS=Deaktiver al e-mail afsendelse (til testformål eller demoer) MAIN_MAIL_FORCE_SENDTO=Sende alle e-mails til (i stedet for rigtige modtagere, til testformål) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Foreslå e-mails fra medarbejdere (hvis defineret) på listen over foruddefineret modtager, når du skriver en ny e-mail MAIN_MAIL_SENDMODE=E-mail-sendemetode MAIN_MAIL_SMTPS_ID=SMTP ID (hvis afsendelse af server kræver godkendelse) MAIN_MAIL_SMTPS_PW=SMTP-adgangskode (hvis afsendelse af server kræver godkendelse) @@ -331,7 +331,7 @@ SetupIsReadyForUse=Modulets implementering er afsluttet. Du skal dog aktivere og NotExistsDirect=Den alternative rodmappen er ikke defineret til en eksisterende mappe.
InfDirAlt=Siden version 3, er det muligt at definere en alternativ root directory. Dette giver dig mulighed for at gemme, til en dedikeret mappe, plugins og tilpassede skabeloner.
du skal Bare oprette en mappe i roden af Dolibarr (f.eks: brugerdefineret).
InfDirExample=
Derefter erklære, at det i filen conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
Hvis disse linier er kommenteret med "#", for at aktivere dem, skal du udkommentere blot ved at fjerne " # " - tegnet. -YouCanSubmitFile=You can upload the .zip file of module package from here: +YouCanSubmitFile=Du kan uploade .zip-filen i modulpakken herfra: CurrentVersion=Dolibarr aktuelle version CallUpdatePage=Gennemse til den side, der opdaterer databasestrukturen og dataene: %s. LastStableVersion=Seneste stabile version @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Afkrydsningsfelterne ExtrafieldCheckBoxFromList=Afkrydsningsfelter fra bordet ExtrafieldLink=Link til et objekt ComputedFormula=Beregnet felt -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

Example 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=Du kan her indtaste en formel ved hjælp af andre egenskaber ved objekt eller en hvilken som helst PHP-kodning for at få en dynamisk beregnet værdi. Du kan bruge alle PHP-kompatible formler inklusive "?" betingelsesoperatør og følgende globale objekt: $db, $conf, $langs, $mysoc, $user, $object.
ADVARSEL: Kun nogle egenskaber af $ object er muligvis tilgængelige. Hvis du har brug for en egenskaber, der ikke er indlæst, skal du bare hente dig selv objektet i din formel som i det andet eksempel.
Brug af et beregnet felt betyder, at du ikke kan indtaste dig selv nogen værdi fra interface. Hvis der er en syntaksfejl, kan formlen muligvis ikke returnere noget.

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

Eksempel til genindlæsning af objekt
(($reloadedobj = new Societe ($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['option_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Andre eksempel på formel til at tvinge belastning af objekt og dets overordnede objekt:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) &&\n($secondloadedobj = new Project ($db)) && \n($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Overordnet projekt ikke fundet' Computedpersistent=Gem computeren felt ComputedpersistentDesc=Beregnede ekstra felter gemmes i databasen, men værdien genberegnes dog først, når objektet i dette felt ændres. Hvis det beregnede felt afhænger af andre objekter eller globale data, kan denne værdi være forkert !! ExtrafieldParamHelpPassword=Blankt felt her betyder, at denne værdi vil blive gemt uden kryptering (feltet skal kun være skjult med stjerne på skærmen).
Vælg 'auto' for at bruge standardkrypteringsreglen til at gemme adgangskoden til databasen (så vil værdien gemmes som en en-vejs hash uden mulighed at hente den oprindelige værdi) @@ -446,12 +446,13 @@ LinkToTestClickToDial=Indtast et telefonnummer for at ringe op til at vise et li RefreshPhoneLink=Opdater link LinkToTest=Klikbart link, der er genereret for bruger %s (klik på telefon-nummer for at teste) KeepEmptyToUseDefault=Holde tomt for at bruge standard værdi +KeepThisEmptyInMostCases=I de fleste tilfælde kan du holde dette felt tomt. DefaultLink=Standard link SetAsDefault=Indstillet som standard ValueOverwrittenByUserSetup=Advarsel, denne værdi kan blive overskrevet af bruger-specifik opsætning (hver bruger kan indstille sin egen clicktodial url) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for tredjepart +ExternalModule=Eksternt modul +InstalledInto=Installeret i mappen%s +BarcodeInitForThirdparties=Massestregkode init for tredjepart BarcodeInitForProductsOrServices=Mass barcode init eller nulstil for produkter eller tjenester CurrentlyNWithoutBarCode=I øjeblikket har du %s post på %s %s uden stregkode defineret. InitEmptyBarCode=Initværdi for næste %s tomme poster @@ -476,7 +477,7 @@ Use3StepsApproval=Som standard skal indkøbsordrer oprettes og godkendes af 2 fo UseDoubleApproval=Brug en 3-trins godkendelse, når beløbet (uden skat) er højere end ... WarningPHPMail=ADVARSEL: Det er ofte bedre at opsætte udgående e-mails for at bruge e-mail-serveren hos din udbyder i stedet for standardopsætningen. Nogle email-udbydere (som Yahoo) tillader dig ikke at sende en mail fra en anden server end deres egen server. Din nuværende opsætning bruger serveren til applikationen til at sende e-mail og ikke din e-mail-udbyder, så nogle modtagere (den, der er kompatibel med den restriktive DMARC-protokol), vil spørge din e-mail-udbyder, hvis de kan acceptere din e-mail og nogle emailudbydere (som Yahoo) kan svare "nej", fordi serveren ikke er deres, så få af dine sendte e-mails muligvis ikke accepteres (pas også på din e-mail-udbyders sendekvote).
Hvis din e-mail-udbyder (som Yahoo) har denne begrænsning, skal du ændre e-mailopsætning for at vælge den anden metode "SMTP-server" og indtaste SMTP-serveren og legitimationsoplysningerne fra din e-mailudbyder. WarningPHPMail2=Hvis din e-mail SMTP udbyder skal begrænse e-mail klienten til nogle IP-adresser (meget sjælden), er dette IP-adressen til e-mail bruger agenten (MUA) til din ERP CRM-applikation: %s . -WarningPHPMailSPF=If the domain name in your sender email address is protected by SPF (ask you email provider), you must include the following IPs in the SPF record of the DNS of your domain: %s. +WarningPHPMailSPF=Hvis domænenavnet i din afsender-e-mail-adresse er beskyttet af SPF (spørg din e-mail-udbyder), skal du inkludere følgende IP'er i SPF-posten til DNS for dit domæne:%s. ClickToShowDescription=Klik for at vise beskrivelse DependsOn=Dette modul har brug for modulet / modulerne RequiredBy=Dette modul er påkrævet efter modul (er) @@ -524,7 +525,7 @@ Module25Desc=Salgsordrehåndtering Module30Name=Fakturaer Module30Desc=Forvaltning af fakturaer og kreditnoter til kunder. Forvaltning af fakturaer og kreditnotaer for leverandører Module40Name=Leverandører -Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) +Module40Desc=Leverandører og købsstyring (indkøbsordrer og fakturering af leverandørfakturaer) Module42Name=Debug Logs Module42Desc=Logning faciliteter (fil, syslog, ...). Disse logs er for teknisk/debug formål. Module49Name=Tekstredigeringsværktøjer @@ -541,16 +542,16 @@ Module54Name=Contracts/Subscriptions Module54Desc=Forvaltning af kontrakter (tjenester eller tilbagevendende abonnementer) Module55Name=Stregkoder Module55Desc=Stregkoder administration -Module56Name=Telefoni -Module56Desc=Telefoni integration +Module56Name=Betaling med kreditoverførsel +Module56Desc=Håndtering af betaling med kreditoverførselsordrer. Det inkluderer generation af SEPA-filer til europæiske lande. Module57Name=Bank Direkte Debit betalinger Module57Desc=Forvaltning af ordrer med direkte debitering. Det omfatter generering af SEPA-fil for europæiske lande. Module58Name=ClickToDial Module58Desc=ClickToDial integration Module59Name=Bookmark4u Module59Desc=Tilføj funktion til at generere Bookmark4u konto fra en Dolibarr konto -Module60Name=Stickers -Module60Desc=Management of stickers +Module60Name=mærkater +Module60Desc=Håndtering af mærkater Module70Name=Interventioner Module70Desc=Interventioner administration Module75Name=Udgifter og ture noter @@ -568,9 +569,9 @@ Module200Desc=LDAP-katalogsynkronisering Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data eksport -Module240Desc=Tool to export Dolibarr data (with assistance) +Module240Desc=Værktøj til at eksportere Dolibarr-data (med hjælp) Module250Name=Data import -Module250Desc=Tool to import data into Dolibarr (with assistance) +Module250Desc=Værktøj til at importere data til Dolibarr (med hjælp) Module310Name=Medlemmer Module310Desc=Instituttets medlemmer forvaltning Module320Name=RSS Feed @@ -634,7 +635,7 @@ Module5000Desc=Giver dig mulighed for at administrere flere selskaber Module6000Name=Workflow Module6000Desc=Workflow management (automatisk oprettelse af objekt og/eller automatisk status ændring) Module10000Name=websteder -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=Opret websteder (offentlige) med en WYSIWYG-editor. Dette er en webmaster eller udviklerorienteret CMS (det er bedre at kende HTML og CSS sprog). Bare opsæt din webserver (Apache, Nginx, ...) for at pege på det dedikerede Dolibarr-bibliotek for at have det online på internettet med dit eget domænenavn. Module20000Name=Ferie/Fri Management Module20000Desc=Definer og kontrol af ferie/fri anmodning Module39000Name=Produktpartier @@ -646,7 +647,7 @@ Module50000Desc=Tilbyde kunder en PayBox online betalingsside (kredit- / betalin Module50100Name=POS SimplePOS Module50100Desc=Point of Sale-modulet SimplePOS (simple POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Salgsstedmodul TakePOS (POS-skærm POS, til butikker, barer eller restauranter). Module50200Name=Paypal Module50200Desc=Tilbyde kunder en PayPal-betalingssideside (PayPal-konto eller kreditkort / betalingskort). Dette kan bruges til at give dine kunder mulighed for at foretage ad hoc-betalinger eller betalinger relateret til et bestemt Dolibarr-objekt (faktura, bestilling osv.) Module50300Name=Stribe @@ -853,10 +854,10 @@ Permission1002=Opret/rediger varehuse Permission1003=Slet varehuse Permission1004=Læs bestand bevægelser Permission1005=Opret/rediger lagerændringer -Permission1101=Read delivery receipts -Permission1102=Create/modify delivery receipts -Permission1104=Validate delivery receipts -Permission1109=Delete delivery receipts +Permission1101=Læs leveringskvitteringer +Permission1102=Opret / rediger leveringskvitteringer +Permission1104=Valider følgeseddel +Permission1109=Slet følgeseddel Permission1121=Læs leverandørforslag Permission1122=Opret / rediger leverandørforslag Permission1123=Valider leverandørforslag @@ -885,9 +886,9 @@ Permission1251=Kør massen import af eksterne data i databasen (data belastning) Permission1321=Eksporter kunde fakturaer, attributter og betalinger Permission1322=Genåb en betalt regning Permission1421=Eksporter salgsordrer og attributter -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) -Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) -Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Læs handlinger (begivenheder eller opgaver), der er knyttet til hans brugerkonto (hvis ejer af begivenheden eller bare er tildelt) +Permission2402=Opret / rediger handlinger (begivenheder eller opgaver), der er knyttet til hans brugerkonto (hvis ejeren af begivenheden) +Permission2403=Slet handlinger (begivenheder eller opgaver), der er knyttet til hans brugerkonto (hvis ejeren af begivenheden) Permission2411=Læs aktioner (begivenheder eller opgaver) andres Permission2412=Opret/rediger handlinger (begivenheder eller opgaver) for andre Permission2413=Slet handlinger (events eller opgaver) andres @@ -913,7 +914,7 @@ Permission20003=Slet permitteringsforespørgsler Permission20004=Læs alle orlovs forespørgsler (selv om bruger ikke er underordnede) Permission20005=Opret / modtag anmodninger om orlov for alle (selv af bruger ikke underordnede) Permission20006=Forladelsesforespørgsler (opsætning og opdateringsbalance) -Permission20007=Approve leave requests +Permission20007=Godkend orlovsanmodninger Permission23001=Read Scheduled job Permission23002=Create/update Scheduled job Permission23003=Delete Scheduled job @@ -928,7 +929,7 @@ Permission50414=Slet handlinger i hovedbok Permission50415=Slet alle operationer efter år og journal i hovedbok Permission50418=Hovedboks eksportoperationer Permission50420=Rapporter og eksportrapporter (omsætning, balance, tidsskrifter, hovedbok) -Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. +Permission50430=Definer regnskabsperioder. Valider transaktioner og luk regnskabsperioder. Permission50440=Administrer kontoplan, opsætning af regnskab Permission51001=Læs aktiver Permission51002=Opret / opdater aktiver @@ -951,7 +952,7 @@ DictionaryCanton=Stater / provinser DictionaryRegion=Regioner DictionaryCountry=Lande DictionaryCurrency=Valuta -DictionaryCivility=Honorific titles +DictionaryCivility=hædrende titler DictionaryActions=Begivenhedstyper DictionarySocialContributions=Typer af sociale eller skattemæssige afgifter DictionaryVAT=Momssatser @@ -992,7 +993,7 @@ VATIsNotUsedDesc=Den foreslåede moms er som standard 0, som kan bruges til sage VATIsUsedExampleFR=I Frankrig betyder det, at virksomheder eller organisationer har et rigtigt finanssystem (forenklet reel eller normal reel). Et system, hvor moms er erklæret. VATIsNotUsedExampleFR=I Frankrig betyder det foreninger, der ikke er momsregistrerede, eller selskaber, organisationer eller liberale erhverv, der har valgt mikrovirksomhedens skattesystem (Salgsskat i franchise) og betalt en franchise Salgsskat uden nogen momsafgift. Dette valg vil vise referencen "Ikke gældende salgsafgift - art-293B CGI" på fakturaer. ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Type moms LTRate=Hyppighed LocalTax1IsNotUsed=Brug ikke anden skat LocalTax1IsUsedDesc=Brug en anden type afgift (bortset fra den første) @@ -1016,9 +1017,9 @@ LocalTax2IsUsedDescES=IRPF-kursen som standard ved oprettelse af emner. fakturae LocalTax2IsNotUsedDescES=Som standard den foreslåede IRPF er 0. Slut på reglen. LocalTax2IsUsedExampleES=I Spanien, freelancere og selvstændige, der leverer tjenesteydelser og virksomheder, der har valgt at skattesystemet i de moduler. LocalTax2IsNotUsedExampleES=I Spanien er de virksomheder, der ikke er underlagt skattesystemer for moduler. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +RevenueStampDesc=Den "skat stempel" eller "stempelmærke" er en fast skat du pr faktura (Det afhænger ikke af mængden af faktura). Det kan også være en procent skat, men det er bedre at bruge den anden eller tredje type skat for procent skat, da skattemærker ikke giver nogen rapportering. Kun få lande bruger denne type skat. +UseRevenueStamp=Brug et skattestempel +UseRevenueStampExample=Værdien af skattestempel defineres som standard i opsætningen af ordbøger (%s- %s-%s) CalcLocaltax=Rapporter om lokale skatter CalcLocaltax1=Salg - Køb CalcLocaltax1Desc=Lokale skatter rapporter beregnes med forskellen mellem localtaxes salg og localtaxes køb @@ -1026,11 +1027,11 @@ CalcLocaltax2=Køb CalcLocaltax2Desc=Lokale skatter rapporter er de samlede køb af lokale afgifter CalcLocaltax3=Salg CalcLocaltax3Desc=Lokale skatter rapporter er det samlede salg af localtaxes -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=I henhold til opsætningen af skatter (se %s- %s-%s) behøver dit land ikke at bruge en sådan type skat LabelUsedByDefault=Etiket, som bruges som standard, hvis ingen oversættelse kan findes for kode LabelOnDocuments=Etiketten på dokumenter LabelOrTranslationKey=Etiket eller oversættelsestast -ValueOfConstantKey=Value of a configuration constant +ValueOfConstantKey=Værdi af en konfigurationskonstant NbOfDays=Antal dage AtEndOfMonth=Ved udgangen af måneden CurrentNext=Aktuel / Næste @@ -1086,11 +1087,11 @@ CompanyTown=By CompanyCountry=Land CompanyCurrency=Standardvaluta CompanyObject=Formål med firmaet -IDCountry=ID country +IDCountry=ID land Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) -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). +LogoDesc=Virksomhedens vigtigste logo. Vil blive brugt til genererede dokumenter (PDF, ...) +LogoSquarred=Logo (firkantet) +LogoSquarredDesc=Skal være et firkantet ikon (bredde = højde). Dette logo bruges som favoritikonet eller andet behov som den øverste menulinje (hvis ikke deaktiveret i skærm opsætningen). DoNotSuggestPaymentMode=Ikke tyder NoActiveBankAccountDefined=Ingen aktiv bankkonto defineret OwnerOfBankAccount=Ejer af bankkonto %s @@ -1114,11 +1115,11 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Afventer bankafstemning Delays_MAIN_DELAY_MEMBERS=Forsinket medlemsafgift Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tjek depositum ikke færdig Delays_MAIN_DELAY_EXPENSEREPORTS=Udgiftsrapporten godkendes -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve +Delays_MAIN_DELAY_HOLIDAYS=Efterlad anmodninger om godkendelse SetupDescription1=Før du begynder at bruge Dolibarr, skal nogle indledende parametre defineres og moduler aktiveres / konfigureres. SetupDescription2=Følgende to afsnit er obligatoriske (de to første indgange i opsætningsmenuen): -SetupDescription3=%s -> %s

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

This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. +SetupDescription3=%s->%s

Grundlæggende parametre, der bruges til at tilpasse din applikations standardopførsel (f.eks. For landrelaterede funktioner). +SetupDescription4=%s->%s

Denne software er en pakke med mange moduler / applikationer. Modulerne relateret til dine behov skal være aktiveret og konfigureret. Menuposter vises ved aktivering af disse moduler. SetupDescription5=Andre opsætningsmenuindgange styrer valgfrie parametre. LogEvents=Sikkerhed revision arrangementer Audit=Audit @@ -1137,7 +1138,7 @@ LogEventDesc=Aktivér logføring til specifikke sikkerhedshændelser. Administra AreaForAdminOnly=Opsætningsparametre kan kun indstilles af administratorbrugere. SystemInfoDesc=System oplysninger er diverse tekniske oplysninger du får i read only mode og synlig kun for administratorer. SystemAreaForAdminOnly=Dette område er kun tilgængeligt for administratorbrugere. Dolibarr bruger tilladelser kan ikke ændre denne begrænsning. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. +CompanyFundationDesc=Rediger oplysningerne om din virksomhed / organisation. Klik på knappen "%s" nederst på siden, når du er færdig. AccountantDesc=Hvis du har en ekstern revisor / bogholder, kan du her redigere dens oplysninger. AccountantFileNumber=Revisor kode DisplayDesc=Parametre, der påvirker udseende og opførsel af Dolibarr kan ændres her. @@ -1145,6 +1146,7 @@ AvailableModules=Tilgængelige app / moduler ToActivateModule=For at aktivere moduler, skal du gå til Opsætning (Hjem->Opsætning->Moduler). SessionTimeOut=Time out for session SessionExplanation=Dette nummer garanterer, at sessionen aldrig udløber før denne forsinkelse, hvis sessionsrenseren udføres af Internal PHP session cleaner (og intet andet). Intern PHP-sessionsrenser garanterer ikke, at sessionen udløber efter denne forsinkelse. Det udløber efter denne forsinkelse, og når sessionrenseren køres, så er alle %s / %s adgang, men kun under adgang fra andre sessioner (hvis værdien er 0, betyder det at clearing af session kun sker af en ekstern behandle).
Bemærk: På nogle servere med en ekstern sessionrensningsmekanisme (cron under debian, ubuntu ...) kan sessionerne ødelægges efter en periode, der er defineret af en ekstern opsætning, uanset hvad værdien er indtastet her. +SessionsPurgedByExternalSystem=Sessioner på denne server ser ud til at blive renset af en ekstern mekanisme (cron under debian, ubuntu ...), sandsynligvis hvert %ssekund (= værdi af parameter session.gc_maxlifetime), så ændring af værdien her har ingen effekt. Du skal bede serveradministratoren om at ændre sessionforsinkelse. TriggersAvailable=Ledige udløser TriggersDesc=Udløsere er filer, der vil ændre opførelsen af ​​Dolibarr workflow en gang kopieret til mappen htdocs / core / triggers . De indser nye handlinger, der aktiveres på Dolibarr events (ny oprettelse af firmaer, faktura bekræftelse, ...). TriggerDisabledByName=Udløser i denne fil er slået fra-NoRun suffikset i deres navn. @@ -1153,7 +1155,7 @@ TriggerAlwaysActive=Udløser i denne fil er altid aktive, uanset hvad er det akt TriggerActiveAsModuleActive=Udløser i denne fil er aktive som modul %s er aktiveret. GeneratedPasswordDesc=Vælg den metode, der skal bruges til automatisk genererede adgangskoder. DictionaryDesc=Indsæt alle referencedata. Du kan tilføje dine værdier til standardværdien. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. +ConstDesc=På denne side kan du redigere (overstyring) parametre ikke er tilgængelige på andre sider. Disse er for det meste reserverede parametre til udviklere / avanceret kun fejlfinding. MiscellaneousDesc=Alle andre sikkerhedsrelaterede parametre er defineret her. LimitsSetup=Grænser / Præcisionsopsætning LimitsDesc=Du kan definere grænser, præcisioner og optimeringer, der bruges af Dolibarr her @@ -1168,7 +1170,7 @@ NoEventOrNoAuditSetup=Ingen sikkerhedshændelse er blevet logget. Dette er norma NoEventFoundWithCriteria=Der er ikke fundet nogen sikkerhedshændelse for disse søgekriterier. SeeLocalSendMailSetup=Se din lokale sendmail opsætning BackupDesc=En komplet backup af en Dolibarr installation kræver to trin. -BackupDesc2=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=Sikkerhedskopiér indholdet i "dokumenter" -kataloget (%s), der indeholder alle uploadede og genererede filer. Dette vil også omfatte alle dumpfiler, der er genereret i trin 1. Denne handling kan vare flere minutter. BackupDesc3=Sikkerhedskopier strukturen og indholdet af din database ( %s ) i en dumpfil. Til dette kan du bruge følgende assistent. BackupDescX=Den arkiverede mappe skal opbevares på et sikkert sted. BackupDescY=De genererede dump fil bør opbevares på et sikkert sted. @@ -1179,7 +1181,7 @@ RestoreDesc3=Gendan database struktur og data fra en backup dump fil i databasen RestoreMySQL=MySQL import ForcedToByAModule= Denne regel er tvunget til at %s ved en aktiveret modul PreviousDumpFiles=Eksisterende backup filer -PreviousArchiveFiles=Existing archive files +PreviousArchiveFiles=Eksisterende arkivfiler WeekStartOnDay=Første dag i ugen RunningUpdateProcessMayBeRequired=At køre opgraderingsprocessen ser ud til at være påkrævet (Programversion %s adskiller sig fra Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Du skal køre denne kommando fra kommandolinjen efter login til en shell med brugerens %s. @@ -1261,7 +1263,8 @@ AskForPreferredShippingMethod=Anmod om en foretrukket forsendelsesmetode for tre FieldEdition=Område udgave %s FillThisOnlyIfRequired=Eksempel: +2 (kun udfyld hvis problemer med tidszoneforskydning opstår) GetBarCode=Få stregkode -NumberingModules=Numbering models +NumberingModules=Nummerering modeller +DocumentModules=Dokumentmodeller ##### Module password generation PasswordGenerationStandard=Returnere en adgangskode, der genereres i henhold til interne Dolibarr algoritme: 8 tegn indeholder delt tal og tegn med små bogstaver. PasswordGenerationNone=Foreslå ikke en genereret adgangskode. Adgangskoden skal indtastes manuelt. @@ -1273,9 +1276,9 @@ RuleForGeneratedPasswords=Regler for at generere og validere adgangskoder DisableForgetPasswordLinkOnLogonPage=Vis ikke linket "Glemt adgangskode" på siden Login UsersSetup=Opsætning af brugermodul UserMailRequired=Email nødvendig for at oprette en ny bruger -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=Skjul inaktive brugere fra alle kombinationslister over brugere (anbefales ikke: dette kan betyde, at du ikke kan filtrere eller søge på gamle brugere på nogle sider) +UsersDocModules=Dokumentskabeloner om dokumenter genereret fra brugerpost +GroupsDocModules=Dokumentskabeloner til dokumenter genereret fra en gruppepost ##### HRM setup ##### HRMSetup=HRM modul opsætning ##### Company setup ##### @@ -1307,7 +1310,7 @@ BillsPDFModules=Faktura dokumenter modeller BillsPDFModulesAccordindToInvoiceType=Faktura dokumenter modeller efter faktura type PaymentsPDFModules=Betalingsdokumenter modeller ForceInvoiceDate=Force fakturadatoen til bekræftelse dato -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice +SuggestedPaymentModesIfNotDefinedInInvoice=Foreslået betalingsmetode på faktura som standard, hvis ikke defineret på fakturaen SuggestPaymentByRIBOnAccount=Foreslå betaling ved tilbagetrækning på konto SuggestPaymentByChequeToAddress=Foreslå betaling med check til FreeLegalTextOnInvoices=Fri tekst på fakturaer @@ -1319,7 +1322,7 @@ SupplierPaymentSetup=Opsætning af leverandørbetalinger PropalSetup=Modulopsætning for tilbud ProposalsNumberingModules=Nummerering af tilbud ProposalsPDFModules=Skabelon for tilbud -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Foreslået betalingsmetode på forslag som standard, hvis det ikke er defineret i forslaget FreeLegalTextOnProposal=Fri tekst på tilbud WatermarkOnDraftProposal=Vandmærke på udkast til tilbud (intet, hvis tom) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Anmode om en bankkonto destination for forslag @@ -1334,7 +1337,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Anmode om lagerkilde for ordre ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Anmode om købskonto bestemmelsessted ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sale order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Foreslået betalingsmetode i salgsordre som standard, hvis ikke defineret i ordren OrdersSetup=Salgsordrer ledelsesopsætning OrdersNumberingModules=Ordrer nummerressourcer moduler OrdersModelModule=Bestil dokumenter modeller @@ -1693,15 +1696,15 @@ CashDeskThirdPartyForSell=Standard generisk tredjepart til brug for salg CashDeskBankAccountForSell=Cash konto til brug for sælger CashDeskBankAccountForCheque=Standardkonto, der skal bruges til at modtage betalinger pr. Check CashDeskBankAccountForCB=Konto til at bruge til at modtage kontant betaling ved kreditkort -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp +CashDeskBankAccountForSumup=Standard bankkonto, der skal bruges til at modtage betalinger via SumUp CashDeskDoNotDecreaseStock=Deaktiver lagerbeholdningen, når et salg er udført fra Point of Sale (hvis "nej", lagernedgang er udført for hvert salg udført fra POS, uanset optionen i modul lager). CashDeskIdWareHouse=Force og begrænse lageret til brug for lagernedgang StockDecreaseForPointOfSaleDisabled=Lagernedgang fra salgssted deaktiveret StockDecreaseForPointOfSaleDisabledbyBatch=Lagernedgang i POS er ikke kompatibel med modul Serial / Lot management (aktuelt aktiv), så lagernedgang er deaktiveret. CashDeskYouDidNotDisableStockDecease=Du har ikke deaktiveret lagernedgang, når du sælger fra Point of Sale. Derfor er et lager påkrævet. -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) +CashDeskForceDecreaseStockLabel=Lager nedjusteret for batch produkter var tvunget. +CashDeskForceDecreaseStockDesc=Reducer først med de ældste best før og sidste salgs-datoer. +CashDeskReaderKeyCodeForEnter=tastekode for "Enter" defineret i stregkodelæser (Eksempel: 13) ##### Bookmark ##### BookmarkSetup=Bogmærke modul opsætning BookmarkDesc=Dette modul giver dig mulighed for at styre bogmærker. Du kan også tilføje genveje til Dolibarr-sider eller eksterne websteder på din venstre menu. @@ -1732,9 +1735,9 @@ ChequeReceiptsNumberingModule=Kontroller kvitteringsnummermodul MultiCompanySetup=Opsætning af multi-selskabsmodul ##### Suppliers ##### SuppliersSetup=Opsætning af sælgermodul -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice +SuppliersCommandModel=Komplet skabelon for indkøbsordre +SuppliersCommandModelMuscadet=Komplet skabelon med indkøbsordre (gammel implementering af cornas skabelon) +SuppliersInvoiceModel=Komplet skabelon til leverandørfaktura SuppliersInvoiceNumberingModel=Leverandør fakturaer nummerering modeller IfSetToYesDontForgetPermission=Hvis det er indstillet til en ikke-nullværdi, skal du ikke glemme at give tilladelser til grupper eller brugere, der har tilladelse til den anden godkendelse ##### GeoIPMaxmind ##### @@ -1784,10 +1787,10 @@ ListOfNotificationsPerUser=Liste over automatiske underretninger pr. Bruger * ListOfNotificationsPerUserOrContact=Liste over mulige automatiske underretninger (ved forretningsbegivenhed) tilgængelig per bruger * eller pr. Kontakt ** ListOfFixedNotifications=Liste over automatiske faste meddelelser GoOntoUserCardToAddMore=Gå til fanen "Notifikationer" for en bruger for at tilføje eller fjerne underretninger for brugere -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Gå til fanen "Underretninger" fra en tredjepart for at tilføje eller fjerne underretninger for kontakter / adresser Threshold=Grænseværdi -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=Guiden til at oprette databasedump(Backup)-filen +BackupZipWizard=Guiden til at oprette arkivet med arkiv for dokumenter SomethingMakeInstallFromWebNotPossible=Installation af eksternt modul er ikke muligt fra webgrænsefladen af ​​følgende årsag: SomethingMakeInstallFromWebNotPossible2=Af denne grund er proces til opgradering beskrevet her en manuel proces, som kun en privilegeret bruger kan udføre. InstallModuleFromWebHasBeenDisabledByFile=Installation af eksternt modul fra applikation er blevet deaktiveret af din administrator. Du skal bede ham om at fjerne filen %s for at tillade denne funktion. @@ -1805,13 +1808,13 @@ TopMenuDisableImages=Skjul billeder i topmenuen LeftMenuBackgroundColor=Baggrundsfarve til venstre menu BackgroundTableTitleColor=Baggrundsfarve til tabel titel linje BackgroundTableTitleTextColor=Tekstfarve til tabel titellinje -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Tekstfarve til linklinjens tabel titel BackgroundTableLineOddColor=Baggrundsfarve til ulige bord linjer BackgroundTableLineEvenColor=Baggrundsfarve til lige bordlinier MinimumNoticePeriod=Mindste opsigelsesperiode (din anmodning om orlov skal ske inden denne forsinkelse) NbAddedAutomatically=Antal dage, der tilføjes til tællere af brugere (automatisk) hver måned EnterAnyCode=Dette felt indeholder en reference til at identificere linje. Indtast enhver værdi efter eget valg, men uden specialtegn. -Enter0or1=Enter 0 or 1 +Enter0or1=Tryk 0 eller 1 UnicodeCurrency=Indtast her mellem seler, liste over byte nummer, der repræsenterer valutasymbolet. For eksempel: for $, indtast [36] - for Brasilien real R $ [82,36] - for €, indtast [8364] ColorFormat=RGB-farven er i HEX-format, fx: FF0000 PositionIntoComboList=Linjens placering i kombinationslister @@ -1828,8 +1831,8 @@ FixTZ=TimeZone fix FillFixTZOnlyIfRequired=Eksempel: +2 (kun udfyld hvis der opstår problem) ExpectedChecksum=Forventet checksum CurrentChecksum=Nuværende checksum -ExpectedSize=Expected size -CurrentSize=Current size +ExpectedSize=Forventet størrelse +CurrentSize=Nuværende størrelse ForcedConstants=Påkrævede konstante værdier MailToSendProposal=Kundeforslag MailToSendOrder=Salgsordrer @@ -1844,6 +1847,7 @@ MailToThirdparty=Tredjepart MailToMember=Medlemmer MailToUser=Brugere MailToProject=Projekter side +MailToTicket=Opgaver ByDefaultInList=Vis som standard i listevisning YouUseLastStableVersion=Du bruger den seneste stabile version TitleExampleForMajorRelease=Eksempel på besked, du kan bruge til at annoncere denne store udgivelse (brug det gratis at bruge det på dine websteder) @@ -1934,12 +1938,12 @@ CodeLastResult=Latest result code NbOfEmailsInInbox=Antal e-mails i kildekataloget LoadThirdPartyFromName=Indlæs tredjeparts søgning på %s (kun belastning) LoadThirdPartyFromNameOrCreate=Indlæs tredjepartssøgning på %s (opret hvis ikke fundet) -WithDolTrackingID=Dolibarr Reference found in Message ID -WithoutDolTrackingID=Dolibarr Reference not found in Message ID +WithDolTrackingID=Dolibarr Reference findes i meddelelses-ID +WithoutDolTrackingID=Dolibarr Reference findes ikke i meddelelses-ID FormatZip=Postnummer MainMenuCode=Menu indtastningskode (hovedmenu) ECMAutoTree=Vis automatisk ECM-træ -OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +OperationParamDesc=Definer de værdier, der skal bruges til genstand for handlingen, eller hvordan man udtrækker værdier. For eksempel:
objproperty1=SET:den værdi, der skal indstilles
objproperty2=SET:en værdi med udskiftning af __objproperty1__
objproperty3=SETIFEMPTY:værdi brugt, hvis objproperty3 ikke allerede er defineret
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Brug en ; char som separator for at udtrække eller indstille flere egenskaber. OpeningHours=Åbningstider OpeningHoursDesc=Indtast her firmaets almindelige åbningstider. ResourceSetup=Konfiguration af ressource modul @@ -1973,14 +1977,14 @@ WarningValueHigherSlowsDramaticalyOutput=Advarsel, højere værdier bremser dram ModuleActivated=Modul %s er aktiveret og forsinker grænsefladen EXPORTS_SHARE_MODELS=Eksportmodeller deles med alle ExportSetup=Opsætning af modul Eksport -ImportSetup=Setup of module Import +ImportSetup=Opsætning af modul til import InstanceUniqueID=Forekomstets unikke ID SmallerThan=Mindre end LargerThan=Større end IfTrackingIDFoundEventWillBeLinked=Bemærk, at hvis der findes et sporings-ID i indgående e-mail, vil begivenheden automatisk blive knyttet til de relaterede objekter. WithGMailYouCanCreateADedicatedPassword=Hvis du aktiverer valideringen af 2 trin med en GMail konto, anbefales det at oprette en dedikeret anden adgangskode til applikationen i stedet for at bruge dit eget kontos kodeord fra https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. +EmailCollectorTargetDir=Det kan være en ønsket opførsel at flytte e-mailen til et andet tag / bibliotek, når den blev behandlet med succes. Bare indstil en værdi her for at bruge denne funktion. Bemærk, at du også skal bruge en læse / skrive login-konto. +EmailCollectorLoadThirdPartyHelp=Du kan bruge denne handling til at bruge e-mail-indholdet til at finde og indlæse en eksisterende tredjepart i din database. Den fundne (eller oprettede) tredjepart bruges til følgende handlinger, der har brug for det. I parameterfeltet kan du bruge f.eks. 'UDTAGELSE: KROPP: Navn: \\ s ([^ \\ s] *)', hvis du vil udpakke navnet på tredjeparten fra en streng 'Navn: navn for at finde' fundet i legeme. EndPointFor=Slutpunkt for %s: %s DeleteEmailCollector=Slet e-mail-indsamler ConfirmDeleteEmailCollector=Er du sikker på, at du vil slette denne e-mail-indsamler? @@ -1992,11 +1996,12 @@ BaseOnSabeDavVersion=Baseret på biblioteket SabreDAV version NotAPublicIp=Ikke en offentlig IP MakeAnonymousPing=Lav en anonym Ping '+1' til Dolibarr foundation-serveren (udføres kun 1 gang efter installationen) for at lade fundamentet tælle antallet af Dolibarr-installation. FeatureNotAvailableWithReceptionModule=Funktion ikke tilgængelig, når modulmodtagelse er aktiveret -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -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. +EmailTemplate=Skabelon til e-mail +EMailsWillHaveMessageID=E-mails har et mærke 'Referencer', der matcher denne syntaks +PDF_USE_ALSO_LANGUAGE_CODE=Hvis du vil have nogle tekster i din PDF kopieret på 2 forskellige sprog i den samme genererede PDF, skal du indstille her dette andet sprog, så genereret PDF indeholder 2 forskellige sprog på samme side, det, der er valgt, når du genererer PDF og denne ( kun få PDF-skabeloner understøtter dette). Hold tomt i 1 sprog pr. PDF. +FafaIconSocialNetworksDesc=Indtast her koden for et FontAwesome-ikon. Hvis du ikke ved, hvad der er FontAwesome, kan du bruge den generiske værdi fa-adressebog. +FeatureNotAvailableWithReceptionModule=Funktion ikke tilgængelig, når modulmodtagelse er aktiveret +RssNote=Bemærk: Hver RSS-feed-definition indeholder en widget, som du skal aktivere for at have den tilgængelig i instrumentbrættet\n  +JumpToBoxes=Gå til Opsætning -> Widgets +MeasuringUnitTypeDesc=Brug her en værdi som "størrelse", "overflade", "volumen", "vægt", "tid" +MeasuringScaleDesc=Skalaen er antallet af steder, du skal flytte decimaldelen for at matche standardreferenceenheden. For "tid" -enhedstype er det antallet af sekunder. Værdier mellem 80 og 99 er reserverede værdier. diff --git a/htdocs/langs/da_DK/agenda.lang b/htdocs/langs/da_DK/agenda.lang index 6064158a209..0989d253be5 100644 --- a/htdocs/langs/da_DK/agenda.lang +++ b/htdocs/langs/da_DK/agenda.lang @@ -38,7 +38,7 @@ ActionsEvents=Begivenheder, for hvilke Dolibarr vil skabe en indsats på dagsord EventRemindersByEmailNotEnabled=Hændelsesindkaldelser via e-mail blev ikke aktiveret til %s modulopsætning. ##### Agenda event labels ##### NewCompanyToDolibarr=Tredjepart %s oprettet -COMPANY_DELETEInDolibarr=Third party %s deleted +COMPANY_DELETEInDolibarr=Tredjepart %s slettet ContractValidatedInDolibarr=Kontrakt %s bekræftet CONTRACT_DELETEInDolibarr=Kontrakt %s slettet PropalClosedSignedInDolibarr=Forslag %s underskrevet @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Abonnement %s for medlem %s ændret MemberSubscriptionDeletedInDolibarr=Abonnement %s for medlem %s slettet ShipmentValidatedInDolibarr=Forsendelse %s bekræftet ShipmentClassifyClosedInDolibarr=Forsendelse %s klassificeret faktureret -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open +ShipmentUnClassifyCloseddInDolibarr=Forsendelse %s klassificeret igen ShipmentBackToDraftInDolibarr=Forsendelse %s gå tilbage til udkast status ShipmentDeletedInDolibarr=Forsendelse %s slettet OrderCreatedInDolibarr=Bestil %s oprettet @@ -76,7 +76,7 @@ ContractSentByEMail=Kontrakt %s sendt af email OrderSentByEMail=Salg order %s sendt af email InvoiceSentByEMail=Kunde invoice %s sendt af email SupplierOrderSentByEMail=Purchase order %s sendt af email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted +ORDER_SUPPLIER_DELETEInDolibarr=Indkøbsordre %s er slettet SupplierInvoiceSentByEMail=Vendor invoice %s sendt af email ShippingSentByEMail=Forsendelse %s sendt af email ShippingValidated= Forsendelse %s bekræftet @@ -84,14 +84,15 @@ InterventionSentByEMail=Intervention %s sendt af email ProposalDeleted=Forslag slettet OrderDeleted=Ordre slettet InvoiceDeleted=Faktura slettet +DraftInvoiceDeleted=Udkast til faktura slettet PRODUCT_CREATEInDolibarr=Vare %s oprettet PRODUCT_MODIFYInDolibarr=Vare %s ændret PRODUCT_DELETEInDolibarr=Vare %s slettet -HOLIDAY_CREATEInDolibarr=Request for leave %s created -HOLIDAY_MODIFYInDolibarr=Request for leave %s modified -HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated -HOLIDAY_DELETEInDolibarr=Request for leave %s deleted +HOLIDAY_CREATEInDolibarr=Anmodning om orlov %s oprettet +HOLIDAY_MODIFYInDolibarr=Anmodning om orlov %s ændret +HOLIDAY_APPROVEInDolibarr=Anmodning om orlov %s godkendt +HOLIDAY_VALIDATEInDolibarr=Anmodning om orlov %s valideret +HOLIDAY_DELETEInDolibarr=Anmodning om orlov %s slettet EXPENSE_REPORT_CREATEInDolibarr=Udgiftsrapport %s oprettet EXPENSE_REPORT_VALIDATEInDolibarr=Udgiftsrapport %s bekræftet EXPENSE_REPORT_APPROVEInDolibarr=Udgiftsrapport %s godkendt @@ -102,17 +103,19 @@ PROJECT_MODIFYInDolibarr=Projekt %s ændret PROJECT_DELETEInDolibarr=Projekt %s slettet TICKET_CREATEInDolibarr=Sag %s oprettet TICKET_MODIFYInDolibarr=Billet %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed +TICKET_ASSIGNEDInDolibarr=Billet %s tildelt +TICKET_CLOSEInDolibarr=Billet %s lukket TICKET_DELETEInDolibarr=Billet %s deleted -BOM_VALIDATEInDolibarr=BOM validated -BOM_UNVALIDATEInDolibarr=BOM unvalidated -BOM_CLOSEInDolibarr=BOM disabled -BOM_REOPENInDolibarr=BOM reopen -BOM_DELETEInDolibarr=BOM deleted -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted +BOM_VALIDATEInDolibarr=BOM valideret +BOM_UNVALIDATEInDolibarr=BOM ikke valideret +BOM_CLOSEInDolibarr=BOM deaktiveret +BOM_REOPENInDolibarr=BOM genåbner +BOM_DELETEInDolibarr=BOM slettet +MRP_MO_VALIDATEInDolibarr=MO valideret +MRP_MO_UNVALIDATEInDolibarr=MO indstillet til statusudkast +MRP_MO_PRODUCEDInDolibarr=MO produceret +MRP_MO_DELETEInDolibarr=MO slettet +MRP_MO_CANCELInDolibarr=MO annulleret ##### End agenda events ##### AgendaModelModule=Skabeloner for dokument til begivenhed DateActionStart=Startdato @@ -123,7 +126,7 @@ AgendaUrlOptionsNotAdmin= logina =! %s for at begrænse output til hand AgendaUrlOptions4= logind = %s for at begrænse uddata til handlinger tildelt bruger %s (ejer og andre). AgendaUrlOptionsProject=projekt = __ PROJECT_ID __ for at begrænse output til handlinger, der er knyttet til projektet __ PROJECT_ID __ . AgendaUrlOptionsNotAutoEvent= notactiontype = systemauto for at udelukke automatiske begivenheder. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 for at inkludere helligdagsbegivenheder. AgendaShowBirthdayEvents=Vis fødselsdage på kontakter AgendaHideBirthdayEvents=Skjul fødselsdage på kontakter Busy=Travl @@ -151,3 +154,6 @@ EveryMonth=Hver måned DayOfMonth=Dag i måneden DayOfWeek=Ugedag DateStartPlusOne=Dato start + 1 time +SetAllEventsToTodo=Indstil alle begivenheder til at gøre +SetAllEventsToInProgress=Indstil alle begivenheder til at være i gang +SetAllEventsToFinished=Indstil alle begivenheder til færdige diff --git a/htdocs/langs/da_DK/assets.lang b/htdocs/langs/da_DK/assets.lang index 5077e866641..76a74e48006 100644 --- a/htdocs/langs/da_DK/assets.lang +++ b/htdocs/langs/da_DK/assets.lang @@ -22,13 +22,13 @@ AccountancyCodeAsset = Regnskabskode (aktiv) AccountancyCodeDepreciationAsset = Regnskabskode (afskrivning aktiv konto) AccountancyCodeDepreciationExpense = Regnskabskode (afskrivningskostnadskonto) NewAssetType=Ny aktivtype -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type +AssetsTypeSetup=Aktiv type setup +AssetTypeModified=Aktiv type redigeret +AssetType=Aktiv type AssetsLines=Aktiver DeleteType=Slet -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? +DeleteAnAssetType=Slet en aktiv type +ConfirmDeleteAssetType=Er du sikker på du ønsker at slette denne aktiv type ShowTypeCard=Vis type ' %s' # Module label 'ModuleAssetsName' @@ -42,7 +42,7 @@ ModuleAssetsDesc = Aktiver beskrivelse AssetsSetup = Indstillinger for aktiver Settings = Indstillinger AssetsSetupPage = Indstillingsside for aktiver -ExtraFieldsAssetsType = Complementary attributes (Asset type) +ExtraFieldsAssetsType = Komplementære attributter (aktiv type) AssetsType=Asset type AssetsTypeId=Aktivtype id AssetsTypeLabel=Asset type label diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang index 179849ed9ca..22fac68d99c 100644 --- a/htdocs/langs/da_DK/banks.lang +++ b/htdocs/langs/da_DK/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Banks | Cash +MenuBankCash=Banker | Kontanter MenuVariousPayment=Diverse betalinger MenuNewVariousPayment=Ny Diverse betaling BankName=Bank navn @@ -35,18 +35,20 @@ SwiftValid=BIC/SWIFT gyldig SwiftVNotalid=BIC/SWIFT er ikke gyldig IbanValid=BAN gyldig IbanNotValid=BAN er ikke gyldigt -StandingOrders="Direkte debit" bestillinger +StandingOrders="Direkte debit" ordre StandingOrder="Direkte debit" bestiling +PaymentByBankTransfers=Betalinger ved kreditoverførsel +PaymentByBankTransfer=Betaling med kreditoverførsel AccountStatement=Kontoudtog AccountStatementShort=Udmelding AccountStatements=Kontoudtog LastAccountStatements=Seneste kontoudtog IOMonthlyReporting=Månedlig rapportering -BankAccountDomiciliation=Bank address +BankAccountDomiciliation=Bank adresse BankAccountCountry=Konto land BankAccountOwner=Konto ejer navn BankAccountOwnerAddress=Konto ejer adresse -RIBControlError=Integrity check of values failed. This means the information for this account number is not complete or is incorrect (check country, numbers and IBAN). +RIBControlError=Integritetskontrol af værdier mislykkedes. Dette betyder, at oplysningerne om dette kontonummer ikke er komplette eller er forkerte (kontroller land, numre og IBAN). CreateAccount=Opret konto NewBankAccount=Ny konto NewFinancialAccount=Ny finansiel konto @@ -73,7 +75,7 @@ BankTransaction=Bank post ListTransactions=Liste poster ListTransactionsByCategory=Liste poster / kategori TransactionsToConciliate=Linjer til afsteming -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=At forene Conciliable=Kan afstemmes Conciliate=Afstem Conciliation=Afstemning @@ -95,18 +97,18 @@ AddBankRecordLong=Tilføj indtastning manuelt Conciliated=Afstemt ConciliatedBy=Afstemt af DateConciliating=Afstem dato -BankLineConciliated=Entry reconciled with bank receipt +BankLineConciliated=Indlæg afstemt med bankkvittering Reconciled=Afstemt NotReconciled=Ikke afstemt CustomerInvoicePayment=Kunde betaling -SupplierInvoicePayment=Vendor payment +SupplierInvoicePayment=Sælgerbetaling SubscriptionPayment=Abonnementsbetaling -WithdrawalPayment=Debit payment order +WithdrawalPayment=Betalingsordre SocialContributionPayment=Social / skattemæssig skat betaling BankTransfer=bankoverførsel BankTransfers=Bankoverførsler MenuBankInternalTransfer=Intern overførsel -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=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) TransferFrom=Fra TransferTo=Til TransferFromToDone=En overførsel fra %s til %s af %s %s er blevet optaget. @@ -138,7 +140,7 @@ BankTransactionLine=Bank post AllAccounts=Alle bank- og kontantekonti BackToAccount=Tilbage til konto ShowAllAccounts=Vis for alle konti -FutureTransaction=Future transaction. Unable to reconcile. +FutureTransaction=Fremtidig transaktion. Kan ikke forene. SelectChequeTransactionAndGenerate=Vælg / filtrer checks for at inkludere i kontokortet og klik på "Opret". InputReceiptNumber=Vælg kontoudskrift relateret til forliget. Brug en sorterbar numerisk værdi: ÅÅÅÅMM eller ÅÅÅÅMMDD EventualyAddCategory=Til sidst skal du angive en kategori, hvor klasserne skal klassificeres @@ -154,22 +156,22 @@ RejectCheck=Tjek tilbage ConfirmRejectCheck=Er du sikker på, at du vil markere denne check som afvist? RejectCheckDate=Dato checken blev returneret CheckRejected=Tjek tilbage -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open +CheckRejectedAndInvoicesReopened=Check returneret og fakturaer åbnes igen BankAccountModelModule=Dokumentskabeloner til bankkonti DocumentModelSepaMandate=Skabelon af SEPA mandat. Nyttig til europæiske lande kun i EØF. DocumentModelBan=Skabelon til at udskrive en side med BAN-oplysninger. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment +NewVariousPayment=Ny diverse betaling +VariousPayment=Diverse betalinger VariousPayments=Diverse betalinger -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment +ShowVariousPayment=Vis diverse betalinger +AddVariousPayment=Tilføj diverse betalinger SEPAMandate=SEPA mandat YourSEPAMandate=Dit SEPA mandat FindYourSEPAMandate=Dette er dit SEPA-mandat til at give vores firma tilladelse til at foretage en direkte debitering til din bank. Ret det underskrevet (scan af det underskrevne dokument) eller send det pr. Mail til -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash fence -NewCashFence=New cash fence -BankColorizeMovement=Colorize movements -BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements -BankColorizeMovementName1=Background color for debit movement -BankColorizeMovementName2=Background color for credit movement +AutoReportLastAccountStatement=Udfyld automatisk feltet 'antal kontoudtog' med det sidste erklæringsnummer, når du foretager afstemning +CashControl=POS kontanthegn +NewCashFence=Nyt kontanthegn +BankColorizeMovement=Farvelæg bevægelser +BankColorizeMovementDesc=Hvis denne funktion er aktiveret, kan du vælge specifik baggrundsfarve til debet- eller kreditbevægelser +BankColorizeMovementName1=Baggrundsfarve til debetbevægelse +BankColorizeMovementName2=Baggrundsfarve til kreditbevægelse diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index f0882f22e4b..05f30832143 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -66,9 +66,9 @@ paymentInInvoiceCurrency=i fakturaer valuta PaidBack=Tilbagebetalt DeletePayment=Slet betaling ConfirmDeletePayment=Er du sikker på, at du vil slette denne betaling? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? +ConfirmConvertToReduc=Vil du konvertere dette %s til en tilgængelig kredit? ConfirmConvertToReduc2=Beløbet gemmes mellem alle rabatter og kan bruges som en rabat på en aktuel eller en fremtidig faktura for denne kunde. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? +ConfirmConvertToReducSupplier=Vil du konvertere dette %s til en tilgængelig kredit? ConfirmConvertToReducSupplier2=Beløbet gemmes blandt alle rabatter og kan bruges som en rabat på en aktuel eller en fremtidig faktura for denne leverandør. SupplierPayments=Leverandørbetalinger ReceivedPayments=Modtagne betalinger @@ -212,10 +212,10 @@ AmountOfBillsByMonthHT=Mængden af ​​fakturaer efter måned (ekskl. moms) UseSituationInvoices=Tillad midlertidig faktura UseSituationInvoicesCreditNote=Tillad midlertidig faktura kreditnota Retainedwarranty=Opretholdt garanti -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices +AllowedInvoiceForRetainedWarranty=Opholdt garanti bruges på følgende typer fakturaer RetainedwarrantyDefaultPercent=Tilbageholdt garanti standart procent -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation +RetainedwarrantyOnlyForSituation=Gør "tilbageholdt garanti" kun tilgængelig for fakturafakturaer +RetainedwarrantyOnlyForSituationFinal=På situationfakturaer anvendes det globale "tilbageholdte garanti" fradrag kun i den endelige situation ToPayOn=At betale på %s toPayOn=at betale på %s RetainedWarranty=Opholdt garanti @@ -241,8 +241,6 @@ EscompteOffered=Rabat (betaling før sigt) EscompteOfferedShort=Discount SendBillRef=Indsendelse af faktura %s SendReminderBillRef=Indsendelse af faktura %s (påmindelse) -StandingOrders="Direkte debit" ordre -StandingOrder="Direct debit" order NoDraftBills=Intet udkast til fakturaer NoOtherDraftBills=Ingen andre igangværende fakturaer NoDraftInvoices=Intet udkast til fakturaer @@ -385,7 +383,7 @@ GeneratedFromTemplate=Genereres fra skabelonfaktura %s WarningInvoiceDateInFuture=Advarsel, fakturadato er højere end den aktuelle dato WarningInvoiceDateTooFarInFuture=Advarsel, fakturadato er for langt fra den aktuelle dato ViewAvailableGlobalDiscounts=Se ledige rabatter -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Gruppebetalinger efter tilstand på rapporter # PaymentConditions Statut=Status PaymentConditionShortRECEP=Forfald ved modtagelse @@ -505,7 +503,7 @@ ToMakePayment=Betale ToMakePaymentBack=Tilbagebetalt ListOfYourUnpaidInvoices=Liste over ubetalte fakturaer NoteListOfYourUnpaidInvoices=Bemærk: Denne liste indeholder kun fakturaer til tredjeparter, som du er knyttet til som salgsrepræsentant. -RevenueStamp=Tax stamp +RevenueStamp=Skatte stempel YouMustCreateInvoiceFromThird=Denne indstilling er kun tilgængelig, når du opretter en faktura fra fanen "Kund" fra tredjepart YouMustCreateInvoiceFromSupplierThird=Denne indstilling er kun tilgængelig, når du opretter en faktura fra fanen "Sælger" fra tredjepart YouMustCreateStandardInvoiceFirstDesc=Du skal først oprette en standardfaktura og konvertere den til "skabelon" for at oprette en ny skabelonfaktura @@ -571,4 +569,7 @@ AutoFillDateTo=Indstil slutdato for servicelinje med næste faktura dato AutoFillDateToShort=Indstil slutdato MaxNumberOfGenerationReached=Maks antal gener. nået BILL_DELETEInDolibarr=Faktura slettet -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +BILL_SUPPLIER_DELETEInDolibarr=Leverandørfaktura slettet +UnitPriceXQtyLessDiscount=Enhedspris x Antal - Rabat +CustomersInvoicesArea=Kunde fakturerings område +SupplierInvoicesArea=Leverandør fakturerings område diff --git a/htdocs/langs/da_DK/blockedlog.lang b/htdocs/langs/da_DK/blockedlog.lang index c76c9e72916..186fadbf852 100644 --- a/htdocs/langs/da_DK/blockedlog.lang +++ b/htdocs/langs/da_DK/blockedlog.lang @@ -1,6 +1,6 @@ BlockedLog=Uændrede logfiler Field=Felt -BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525). +BlockedLogDesc=Dette modul sporer nogle begivenheder i en uforanderlig log (som du ikke kan ændre en gang optaget) til en blokkæde i realtid. Dette modul giver kompatibilitet med kravene i lovgivningen i nogle lande (som Frankrig med loven Finance 2016 - Norme NF525). Fingerprints=Arkiverede begivenheder og fingeraftryk FingerprintsDesc=Dette er værktøjet til at gennemse eller udvinde de uforanderlige logfiler. Uændrede logfiler genereres og arkiveres lokalt i en speciel tabel, i realtid, når du foretager en forretningsbegivenhed. Du kan bruge dette værktøj til at eksportere dette arkiv og gemme det til ekstern støtte (nogle lande, som Frankrig, beder dig om at gøre det hvert år). Bemærk, at der ikke er nogen funktion til at rense loggen, og enhver ændring, der blev forsøgt at blive foretaget direkte i denne logfil (f.eks. af en cracker), vil blive rapporteret med et ikke-gyldigt fingeraftryk. Hvis du virkelig skal rense denne tabel, fordi du brugte din ansøgning til et demo / test formål og ønsker at rense dine data for at starte din produktion, kan du bede din forhandler eller integrator om at nulstille din database (alle dine data vil blive fjernet). CompanyInitialKey=Selskabets startnøgle (hash af geneseblok) @@ -8,15 +8,15 @@ BrowseBlockedLog=Uændrede logfiler ShowAllFingerPrintsMightBeTooLong=Vis alle arkiverede logfiler (kan være lang) ShowAllFingerPrintsErrorsMightBeTooLong=Vis alle ikke-gyldige arkivlogfiler (kan være lange) DownloadBlockChain=Download fingeraftryk -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists). -OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one. +KoCheckFingerprintValidity=Arkiveret logpost er ikke gyldig. Det betyder, at nogen (en hacker?) Har ændret nogle data fra denne post, efter at de blev optaget, eller har slettet den forrige arkiverede post (kontroller, at linjen med forrige # findes). +OkCheckFingerprintValidity=Den arkiverede log optegnelse er gyldig. Dataene på denne linje blev ikke ændret, og posten følger den foregående. OkCheckFingerprintValidityButChainIsKo=Arkiveret log synes at være gyldig i forhold til den foregående, men kæden blev ødelagt tidligere. AddedByAuthority=Gemt i ekstern myndighed NotAddedByAuthorityYet=Ikke gemt i fjern autoritet ShowDetails=Vis gemte detaljer -logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created -logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified -logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion +logPAYMENT_VARIOUS_CREATE=Betaling (ikke tildelt en faktura) oprettet +logPAYMENT_VARIOUS_MODIFY=Betaling (ikke tildelt en faktura) ændret +logPAYMENT_VARIOUS_DELETE=Betaling (ikke tildelt en faktura) logisk sletning logPAYMENT_ADD_TO_BANK=Betaling tilføjet til bank logPAYMENT_CUSTOMER_CREATE=Kundesupport oprettet logPAYMENT_CUSTOMER_DELETE=Kundebetaling logisk sletning @@ -35,7 +35,7 @@ logDON_DELETE=Donation logisk sletning logMEMBER_SUBSCRIPTION_CREATE=Medlem abonnement oprettet logMEMBER_SUBSCRIPTION_MODIFY=Medlems abonnement ændret logMEMBER_SUBSCRIPTION_DELETE=Medlems abonnement logisk sletning -logCASHCONTROL_VALIDATE=Cash fence recording +logCASHCONTROL_VALIDATE=Registrering af kontanthegn BlockedLogBillDownload=Kundefaktura download BlockedLogBillPreview=Kunde faktura preview BlockedlogInfoDialog=Log detaljer diff --git a/htdocs/langs/da_DK/bookmarks.lang b/htdocs/langs/da_DK/bookmarks.lang index 629194fff9e..1032c40e7d0 100644 --- a/htdocs/langs/da_DK/bookmarks.lang +++ b/htdocs/langs/da_DK/bookmarks.lang @@ -1,20 +1,21 @@ # Dolibarr language file - Source file is en_US - marque pages AddThisPageToBookmarks=Tilføj denne side til bogmærker -Bookmark=Bookmark +Bookmark=Bogmærke Bookmarks=Bogmærker ListOfBookmarks=Liste over bogmærker -EditBookmarks=List/edit bookmarks +EditBookmarks=Vis / rediger bogmærker NewBookmark=Nyt bogmærke ShowBookmark=Vis bogmærke -OpenANewWindow=Åbn et nyt vindue -ReplaceWindow=Erstat aktuelle vindue -BookmarkTargetNewWindowShort=Nyt vindue -BookmarkTargetReplaceWindowShort=Aktuelle vindue -BookmarkTitle=Bogmærketitel +OpenANewWindow=Åben en ny fane +ReplaceWindow=Udskift nuværende fane +BookmarkTargetNewWindowShort=Ny fane +BookmarkTargetReplaceWindowShort=Nuværende fane +BookmarkTitle=Bogmærke navn UrlOrLink=URL -BehaviourOnClick=Adfærd på klikker på URL +BehaviourOnClick=Adfærd ved klik på URL CreateBookmark=Opret bogmærke -SetHereATitleForLink=Set her en titel til bogmærke -UseAnExternalHttpLinkOrRelativeDolibarrLink=Brug en ekstern http URL eller en relativ Dolibarr URL -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if linked page must open in new window or not +SetHereATitleForLink=Sæt et navn for dette bogmærke +UseAnExternalHttpLinkOrRelativeDolibarrLink=Brug et eksternt / absolut link (https://URL) eller et internt / relativt link (/DOLIBARR_ROOT/htdocs/...) +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Vælg om den tilknyttede side skal åbnes i den aktuelle fane eller en ny fane BookmarksManagement=Bogmærker forvaltning +BookmarksMenuShortCut=Ctrl + shift + m diff --git a/htdocs/langs/da_DK/boxes.lang b/htdocs/langs/da_DK/boxes.lang index ba4429f0dd5..4947d3f111b 100644 --- a/htdocs/langs/da_DK/boxes.lang +++ b/htdocs/langs/da_DK/boxes.lang @@ -1,51 +1,51 @@ # Dolibarr language file - Source file is en_US - boxes BoxLoginInformation=Login Information BoxLastRssInfos=RSS Information -BoxLastProducts=Latest %s Products/Services +BoxLastProducts=Seneste %s produkter / tjenester BoxProductsAlertStock=Lageradvarsler for varer BoxLastProductsInContract=Seneste %s varer/ydelser med kontrakt -BoxLastSupplierBills=Latest Vendor invoices -BoxLastCustomerBills=Latest Customer invoices +BoxLastSupplierBills=Seneste leverandørfakturaer +BoxLastCustomerBills=Seneste kundefakturaer BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices +BoxOldestUnpaidSupplierBills=Ældste ubetalte leverandørfakturaer BoxLastProposals=Seneste tilbud BoxLastProspects=Seneste ændrede potentielle kunder BoxLastCustomers=Latest modified customers BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest sales orders +BoxLastCustomerOrders=Seneste salgsordrer BoxLastActions=Latest actions BoxLastContracts=Latest contracts BoxLastContacts=Latest contacts/addresses BoxLastMembers=Latest members BoxFicheInter=Latest interventions BoxCurrentAccounts=Open accounts balance -BoxTitleMemberNextBirthdays=Birthdays of this month (members) +BoxTitleMemberNextBirthdays=Fødselsdage i denne måned (medlemmer) BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Products/Services: last %s modified +BoxTitleLastProducts=Produkter / tjenester: sidst %s ændret BoxTitleProductsAlertStock=Produkter: lager advarsel BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Vendors: last %s modified -BoxTitleLastModifiedCustomers=Customers: last %s modified +BoxTitleLastModifiedSuppliers=Sælgere: sidst %s ændret +BoxTitleLastModifiedCustomers=Kunder: sidst %s ændret BoxTitleLastCustomersOrProspects=Seneste kunder eller potentielle kunder %s -BoxTitleLastCustomerBills=Latest %s Customer invoices -BoxTitleLastSupplierBills=Latest %s Vendor invoices -BoxTitleLastModifiedProspects=Prospects: last %s modified +BoxTitleLastCustomerBills=Nyeste %s modificerede kundefakturaer +BoxTitleLastSupplierBills=Nyeste %s modificerede leverandørfakturaer +BoxTitleLastModifiedProspects=Udsigter: senest %s ændret BoxTitleLastModifiedMembers=Latest %s members BoxTitleLastFicheInter=Latest %s modified interventions BoxTitleOldestUnpaidCustomerBills=Kundefakturaer: ældste %s ubetalte -BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid +BoxTitleOldestUnpaidSupplierBills=Sælgerfakturaer: ældste %s ubetalte BoxTitleCurrentAccounts=Åbne konti: saldi -BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception -BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified -BoxMyLastBookmarks=Bookmarks: latest %s +BoxTitleSupplierOrdersAwaitingReception=Leverandør ordrer afventer modtagelse +BoxTitleLastModifiedContacts=Kontakter / Adresser: senest %s ændret +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=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLatestModifiedBoms=Nyeste %s modificerede styklister +BoxTitleLatestModifiedMos=Seneste %s ændrede produktionsordrer BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers BoxTitleGoodCustomers=%s Good customers @@ -56,32 +56,32 @@ ClickToAdd=Klik her for at tilføje. NoRecordedCustomers=Ingen registrerede kunder NoRecordedContacts=Ingen registrerede kontakter NoActionsToDo=Ingen handlinger at gøre -NoRecordedOrders=No recorded sales orders +NoRecordedOrders=Ingen registrerede salgsordrer NoRecordedProposals=Ingen gemte tilbud NoRecordedInvoices=No recorded customer invoices NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid vendor invoices -NoModifiedSupplierBills=No recorded vendor invoices +NoUnpaidSupplierBills=Ingen ubetalte leverandørfakturaer +NoModifiedSupplierBills=Ingen registrerede leverandørfakturaer NoRecordedProducts=Ingen registrerede varer/ydelser NoRecordedProspects=Ingen registrerede potentielle kunder NoContractedProducts=Ingen varer/ydelser med kontrakt NoRecordedContracts=Ingen registrerede kontrakter NoRecordedInterventions=No recorded interventions -BoxLatestSupplierOrders=Latest purchase orders -BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception) -NoSupplierOrder=No recorded purchase order +BoxLatestSupplierOrders=Nyeste indkøbsordrer +BoxLatestSupplierOrdersAwaitingReception=Nyeste indkøbsordrer (med en verserende modtagelse) +NoSupplierOrder=Ingen købsordre BoxCustomersInvoicesPerMonth=Kundefakturaer pr. Måned -BoxSuppliersInvoicesPerMonth=Vendor Invoices per month -BoxCustomersOrdersPerMonth=Sales Orders per month -BoxSuppliersOrdersPerMonth=Vendor Orders per month +BoxSuppliersInvoicesPerMonth=Leverandørfakturaer per måned +BoxCustomersOrdersPerMonth=Salgsordrer pr. Måned +BoxSuppliersOrdersPerMonth=Levenradør ordrer per måned BoxProposalsPerMonth=Proposals per month NoTooLowStockProducts=Ingen produkter er under den lave lagergrænse BoxProductDistribution=Produkter / Services Distribution -ForObject=On %s -BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified -BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified -BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified -BoxTitleLastModifiedCustomerOrders=Sales Orders: last %s modified +ForObject=På %s +BoxTitleLastModifiedSupplierBills=Leverandørfakturaer: sidste %s modificerede +BoxTitleLatestModifiedSupplierOrders=Leverandør Ordrer: senest %s ændret +BoxTitleLastModifiedCustomerBills=Kundefakturaer: sidst %s ændret +BoxTitleLastModifiedCustomerOrders=Salgsordrer: sidst %s ændret BoxTitleLastModifiedPropals=Seneste %s tilrettede tilbud ForCustomersInvoices=Kundernes fakturaer ForCustomersOrders=Customers orders @@ -89,14 +89,14 @@ ForProposals=Tilbud LastXMonthRolling=The latest %s month rolling ChooseBoxToAdd=Add widget to your dashboard BoxAdded=Box blev tilføjet til dit instrumentbræt -BoxTitleUserBirthdaysOfMonth=Birthdays of this month (users) -BoxLastManualEntries=Last manual entries in accountancy -BoxTitleLastManualEntries=%s latest manual entries -NoRecordedManualEntries=No manual entries record in accountancy -BoxSuspenseAccount=Count accountancy operation with suspense account -BoxTitleSuspenseAccount=Number of unallocated lines -NumberOfLinesInSuspenseAccount=Number of line in suspense account -SuspenseAccountNotDefined=Suspense account isn't defined -BoxLastCustomerShipments=Last customer shipments -BoxTitleLastCustomerShipments=Latest %s customer shipments -NoRecordedShipments=No recorded customer shipment +BoxTitleUserBirthdaysOfMonth=Fødselsdage i denne måned (brugere) +BoxLastManualEntries=Sidste manuelle poster i regnskab +BoxTitleLastManualEntries=%s seneste manuelle indtastninger +NoRecordedManualEntries=Der er ikke registreret nogen manuelle poster i regnskab +BoxSuspenseAccount=Tæl regnskab drift med midlertidig konto +BoxTitleSuspenseAccount=Antal ikke-tildelte linjer +NumberOfLinesInSuspenseAccount=Antal linie i midlertidig konto +SuspenseAccountNotDefined=Midlertidig konto er ikke defineret +BoxLastCustomerShipments=Sidste kunde forsendelser +BoxTitleLastCustomerShipments=Nyeste %s forsendelser kunde +NoRecordedShipments=Ingen registreret kundeforsendelse diff --git a/htdocs/langs/da_DK/cashdesk.lang b/htdocs/langs/da_DK/cashdesk.lang index a2749d3ffcf..debc9281813 100644 --- a/htdocs/langs/da_DK/cashdesk.lang +++ b/htdocs/langs/da_DK/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Tilføj denne artikel RestartSelling=Gå tilbage til salg SellFinished=Salg gennemført PrintTicket=Udskriv billet -SendTicket=Send ticket +SendTicket=Send note NoProductFound=Ingen artikel fundet ProductFound=Varen findes NoArticle=Ingen artikel @@ -49,60 +49,64 @@ Footer=Sidefod AmountAtEndOfPeriod=Beløb ved udgangen af perioden (dag, måned eller år) TheoricalAmount=Teoretisk mængde RealAmount=Reelt beløb -CashFence=Cash fence +CashFence=Kontant begrænsning CashFenceDone=Cash fence gjort for perioden NbOfInvoices=Antal fakturaer -Paymentnumpad=Type of Pad to enter payment +Paymentnumpad=numerisk tastatur til at indtaste betaling Numberspad=Numerisk tastatur -BillsCoinsPad=Coins and banknotes Pad +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=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 ? +OrderNotes=Ordre Noter +CashDeskBankAccountFor=Standardkonto, der skal bruges til betalinger i +NoPaimementModesDefined=Ingen betalings betingelser i TakePOS konfiguration +TicketVatGrouped=Gruppe moms sats i billetter | kvitteringer +AutoPrintTickets=Udskriv automatisk bon | kvitteringer +PrintCustomerOnReceipts=Udskriv kunde på bon | kvitteringer +EnableBarOrRestaurantFeatures=Aktiver funktioner til Bar eller Restaurant +ConfirmDeletionOfThisPOSSale=Bekræfter din sletning af dette aktuelle salg? +ConfirmDiscardOfThisPOSSale=Vil du kassere dette nuværende salg? History=Historie -ValidateAndClose=Validate and close +ValidateAndClose=Valider og luk Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket +NumberOfTerminals=Antal terminaler +TerminalSelect=Vælg terminal, du vil bruge: +POSTicket=POS Bon POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Direct cash payment button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Product Supplements -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products +POSModule=POS Modulet +BasicPhoneLayout=Brug grundlæggende layout til telefoner +SetupOfTerminalNotComplete=Opsætning af terminal %s er ikke afsluttet +DirectPayment=Direkte betaling +DirectPaymentButton=Knap med direkte kontant betaling +InvoiceIsAlreadyValidated=Fakturaen er allerede valideret +NoLinesToBill=Ingen linjer til fakturering +CustomReceipt=Tilpasset kvittering +ReceiptName=Kvittering Navn +ProductSupplements=Produkttilskud +SupplementCategory=Tillægskategori +ColorTheme=Farvetema +Colorful=Farverig +HeadBar=leder Bar +SortProductField=Felt til sortering af produkter 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. -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +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. +ByTerminal=Med terminal +TakeposNumpadUsePaymentIcon=Brug betalingsikonet på numerisktastatur +CashDeskRefNumberingModules=Nummereringsmodul til POS-salg +CashDeskGenericMaskCodes6 =
{TN} tag bruges til at tilføje terminal nummere +TakeposGroupSameProduct=Grupper sammen produktlinjer +StartAParallelSale=Start et nyt parallelt salg +ControlCashOpening=optæl kasse ved åbning af pos +CloseCashFence=Luk kontantindhold +CashReport=Kontantrapport +MainPrinterToUse=Fortrukket printer til brug +OrderPrinterToUse=Bestil printer, der skal bruges +MainTemplateToUse=Hovedskabelon, der skal bruges +OrderTemplateToUse=Bestilings skabelon, der skal bruges +BarRestaurant=Bar Restaurant +AutoOrder=Kundens automatiske ordre +RestaurantMenu=Menu +CustomerMenu=Kunde menu diff --git a/htdocs/langs/da_DK/categories.lang b/htdocs/langs/da_DK/categories.lang index 8a0c0123a82..fcc87cedca7 100644 --- a/htdocs/langs/da_DK/categories.lang +++ b/htdocs/langs/da_DK/categories.lang @@ -10,7 +10,7 @@ modify=rette Classify=Klassificere CategoriesArea=Tags/Kategorier område ProductsCategoriesArea=Produkter/Tjenester tags/kategorier område -SuppliersCategoriesArea=Vendors tags/categories area +SuppliersCategoriesArea=Sælgere tags / kategorier område CustomersCategoriesArea=Kunder tags/kategorier MembersCategoriesArea=Medlemmer tags/kategorier ContactsCategoriesArea=Kontakter tags/kategorier område @@ -32,7 +32,7 @@ WasAddedSuccessfully= %s blev tilføjet med succes. ObjectAlreadyLinkedToCategory=Element er allerede knyttet til denne tag/kategori. ProductIsInCategories=Produkt/service er knyttet til følgende tags/kategorier CompanyIsInCustomersCategories=Denne tredjepart er knyttet til følgende kunder/potentielle kunder tags/kategorier -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Denne tredjepart er knyttet til følgende leverandørs tags / kategorier MemberIsInCategories=Denne medlem er knyttet til følgende medlemmer tags/kategorier ContactIsInCategories=Denne kontakt er knyttet til følgende kontaktmærker/kategorier ProductHasNoCategory=Dette produkt/tjeneste er ikke i nogen tags/kategorier @@ -48,11 +48,11 @@ ContentsNotVisibleByAllShort=Indholdet ikke er synligt fra alle DeleteCategory=Slet tag/kategori ConfirmDeleteCategory=Er du sikker på, at du vil slette dette tag/kategori? NoCategoriesDefined=Ingen tag/kategori defineret -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=Sælgere mærke / kategori CustomersCategoryShort=Kunder tag/kategori ProductsCategoryShort=Tag/kategori for varer MembersCategoryShort=Medlemmer tag/kategori -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=Sælgere tags / kategorier CustomersCategoriesShort=Kunder mærker/kategorier ProspectsCategoriesShort=Potentielle kunder tags / kategorier CustomersProspectsCategoriesShort=Kunde/Prosp. tags / kategorier @@ -62,34 +62,29 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Konti tags/kategorier ProjectsCategoriesShort=Projekter tags/kategorier UsersCategoriesShort=Brugere tags / kategorier -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Denne kategori indeholder ingen vare. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Denne kategori indeholder ingen kunde. -ThisCategoryHasNoMember=Denne kategori indeholder ikke nogle medlemmer. -ThisCategoryHasNoContact=Denne kategori indeholder ingen kontaktperson. -ThisCategoryHasNoAccount=Denne kategori indeholder ingen konto. -ThisCategoryHasNoProject=Denne kategori indeholder ikke noget projekt. +StockCategoriesShort=Lagermærker / kategorier +ThisCategoryHasNoItems=Denne kategori indeholder ikke nogen produkter. CategId=Tag/kategori id -CatSupList=List of vendor tags/categories +CatSupList=Liste over leverandør tags / kategorier CatCusList=Liste over kunde/potentiel kunde tags/kategorier CatProdList=Liste over tags/kategorier for varer CatMemberList=Liste over medlemmer tags/kategorier CatContactList=Liste over kontaktmærker/kategorier CatSupLinks=Links mellem leverandører og tags/kategorier CatCusLinks=Links mellem kunder/potentielle kunder og tags/kategorier -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Links mellem kontakter / adresser og tags / kategorier CatProdLinks=Links mellem varer/ydelser og tags/kategorier CatProJectLinks=Links mellem projekter og tags/kategorier DeleteFromCat=Fjern fra tags/kategori ExtraFieldsCategories=Supplerende attributter CategoriesSetup=Tags/kategorier opsætning CategorieRecursiv=Link med forældre tag/kategori automatisk -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Hvis indstillingen er aktiveret, tilføjes et produkt i en underkategori, tilføjes også produktet til den overordnede kategori. AddProductServiceIntoCategory=Tilføj følgende produkt/tjeneste ShowCategory=Vis tag/kategori ByDefaultInList=Som standard i liste ChooseCategory=Vælg kategori -StocksCategoriesArea=Warehouses Categories Area -ActionCommCategoriesArea=Events Categories Area -UseOrOperatorForCategories=Use or operator for categories +StocksCategoriesArea=Lager kategorier Område +ActionCommCategoriesArea=Arrangementer Kategorier Område +WebsitePagesCategoriesArea=Område med sidekontainerkategorier +UseOrOperatorForCategories=Brug eller operator til kategorier diff --git a/htdocs/langs/da_DK/commercial.lang b/htdocs/langs/da_DK/commercial.lang index 00c176e6868..30b4092a6bb 100644 --- a/htdocs/langs/da_DK/commercial.lang +++ b/htdocs/langs/da_DK/commercial.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=Handel +CommercialArea=Handelsområde Customer=Kunde Customers=Kunder Prospect=Potentiel kunde diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang index 970ecf1e4e1..4757c3ae15e 100644 --- a/htdocs/langs/da_DK/companies.lang +++ b/htdocs/langs/da_DK/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospekteringsområde IdThirdParty=Id tredjepart IdCompany=CVR IdContact=Kontakt-ID -Contacts=Kontakter/adresser ThirdPartyContacts=Tredjeparts kontakter ThirdPartyContact=Tredjeparts kontakt/adresse Company=Firma @@ -28,7 +27,7 @@ AliasNames=Alias ​​navn (kommerciel, varemærke, ...) AliasNameShort=Alias ​​Navn Companies=Selskaber CountryIsInEEC=Landet er inden for Det Europæiske Økonomiske Fællesskab -PriceFormatInCurrentLanguage=Price display format in the current language and currency +PriceFormatInCurrentLanguage=Pris visningsformat på det aktuelle sprog og valuta ThirdPartyName=Navn på tredjepart ThirdPartyEmail=Tredjeparts email ThirdParty=Tredje part @@ -54,10 +53,10 @@ Firstname=Fornavn PostOrFunction=Stilling UserTitle=Titel NatureOfThirdParty=Tredjepartens art -NatureOfContact=Nature of Contact +NatureOfContact=Kontaktpersonens art Address=Adresse State=Stat/provins -StateCode=State/Province code +StateCode=Land / Regions kode StateShort=Stat Region=Region Region-State=Region - Stat @@ -248,7 +247,7 @@ ProfId4US=- ProfId5US=- ProfId6US=- ProfId1RO=Prof Id 1 (CUI) -ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId2RO=Prof Id 2 (Registreringsnummer) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=- ProfId5RO=Prof Id 5 (EUID) @@ -298,14 +297,15 @@ AddContact=Opret kontakt AddContactAddress=Opret kontakt/adresse EditContact=Rediger kontakt EditContactAddress=Rediger kontakt/adresse -Contact=Kontakt +Contact=Kontakt/Adresse +Contacts=Kontakter/adresser ContactId=Kontakt id ContactsAddresses=Kontakt/adresser FromContactName=Navn: NoContactDefinedForThirdParty=Ingen kontakt er defineret for denne tredjepart NoContactDefined=Ingen kontakt er defineret DefaultContact=Kontakt som standard -ContactByDefaultFor=Default contact/address for +ContactByDefaultFor=Standard Kontakt/Adresse for AddThirdParty=Opret tredjepart DeleteACompany=Slet et selskab PersonalInformations=Personoplysninger @@ -325,7 +325,8 @@ CompanyDeleted=Company " %s" slettet fra databasen. ListOfContacts=Liste over kontakter/adresser ListOfContactsAddresses=Liste over kontakter/adresser ListOfThirdParties=Liste over tredjeparter -ShowContact=Vis kontakt +ShowCompany=Tredje part +ShowContact=Kontakt adresse ContactsAllShort=Alle (intet filter) ContactType=Type af kontakt ContactForOrders=Kontakt for ordre @@ -344,7 +345,7 @@ MyContacts=Mine kontakter Capital=Egenkapital CapitalOf=Egenkapital på %s EditCompany=Rediger virksomhed -ThisUserIsNot=This user is not a prospect, customer or vendor +ThisUserIsNot=Denne bruger er ikke Prospekt, kunde eller leverandør VATIntraCheck=Kontrollere VATIntraCheckDesc=Moms nummer skal indeholde landets præfiks. Linket %s bruger den europæiske momscheckertjeneste (VIES), det kræver internetadgang fra serveren. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -411,7 +412,7 @@ AllocateCommercial=Tildelt til en salgsrepræsentant Organization=Organisationen FiscalYearInformation=Skatteår FiscalMonthStart=Første måned i regnskabsåret -SocialNetworksInformation=Social networks +SocialNetworksInformation=Sociale netværk SocialNetworksFacebookURL=Facebook URL SocialNetworksTwitterURL=Twitter URL SocialNetworksLinkedinURL=Linkedin URL @@ -424,7 +425,7 @@ ListSuppliersShort=Liste over leverandører ListProspectsShort=Liste over potentielle kunder ListCustomersShort=Liste over kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Sidste %s modificerede tredjeparter +LastModifiedThirdParties=Seneste %s ændrede tredjeparter UniqueThirdParties=Samlet antal tredjeparter InActivity=Åben ActivityCeased=Lukket @@ -446,12 +447,12 @@ SaleRepresentativeFirstname=Fornavn på salgsrepræsentant SaleRepresentativeLastname=Efternavn på salgsrepræsentant ErrorThirdpartiesMerge=Der opstod en fejl ved sletning af tredjeparter. Kontroller loggen. Ændringer er blevet vendt tilbage. NewCustomerSupplierCodeProposed=Kunde- eller leverandørkode, der allerede er brugt, foreslås en ny kode -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Hold dette felt tomt, hvis denne adresse er en generisk adresse #Imports PaymentTypeCustomer=Betalingstype - Kunde PaymentTermsCustomer=Betalingsbetingelser - Kunde PaymentTypeSupplier=Betalingstype - Leverandør PaymentTermsSupplier=Betalingsperiode - Leverandør -PaymentTypeBoth=Payment Type - Customer and Vendor +PaymentTypeBoth=Betalingstype - kunde og levendør MulticurrencyUsed=Brug flere valutaer MulticurrencyCurrency=Valuta diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index 6b19d13f78a..bc98ecb15b4 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -112,7 +112,7 @@ ShowVatPayment=Vis momsbetaling TotalToPay=At betale i alt BalanceVisibilityDependsOnSortAndFilters=Balancen er kun synlig i denne liste, hvis tabellen sorteres stigende på %s og filtreret til 1 bankkonto CustomerAccountancyCode=Regnskabskode for kunde -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Sælgers regnskabskode CustomerAccountancyCodeShort=Cust. konto. kode SupplierAccountancyCodeShort=Sup. konto. kode AccountNumber=Kontonummer @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Se %sanalyse af betaling%s for en beregning af faktis SeeReportInDueDebtMode=Se %sanalyse af faktura%s for en beregning baseret på kendte registrerede fakturaer, selvom de endnu ikke er opført i hovedbogen. SeeReportInBookkeepingMode=Se %skassekladde report%s til en beregning på kasssekladdens tabelen RulesAmountWithTaxIncluded=- De viste beløb er med alle inkl. moms -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Det inkluderer udestående fakturaer, udgifter, moms, donationer, uanset om de er betalt eller ej. Indeholder også betalte lønninger.
- Det er baseret på faktureringens fakturadato og på forfaldsdato for udgifter eller skattebetalinger. For lønninger, der er defineret med lønningsmodulet, bruges betalingsdato. RulesResultInOut=- Den omfatter de reelle betalinger foretaget på fakturaer, udgifter, moms og løn.
- Det er baseret på betalingsdatoer for fakturaer, udgifter, moms og løn. Donationsdatoen for donation. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Det inkluderer kundens forfaldne fakturaer, uanset om de er betalt eller ej.
- Det er baseret på faktureringsdatoen for disse fakturaer.
RulesCAIn=- Den omfatter alle effektive betalinger af fakturaer modtaget fra kunder.
- Det er baseret på betalingsdatoen for disse fakturaer
RulesCATotalSaleJournal=Den omfatter alle kreditlinjer fra salgslisten. RulesAmountOnInOutBookkeepingRecord=Det indeholder post i din hovedbog med kontor, der har gruppen "EXPENSE" eller "INCOME" @@ -254,11 +254,13 @@ ByVatRate=Med Moms sats TurnoverbyVatrate=Omsætning faktureret ved salgskurs TurnoverCollectedbyVatrate=Omsætning opkrævet ved salgskurs PurchasebyVatrate=Køb ved salgskurs -LabelToShow=Short label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +LabelToShow=Kort etiket +PurchaseTurnover=Køb omsætning +PurchaseTurnoverCollected=Køb af omsætning samlet +RulesPurchaseTurnoverDue=- Det inkluderer leverandørens forfaldne fakturaer, uanset om de er betalt eller ej.
- Det er baseret på fakturadato for disse fakturaer.
+RulesPurchaseTurnoverIn=- Det inkluderer alle de effektive betalinger af fakturaer, der udføres til leverandører.
- Det er baseret på betalingsdatoen for disse fakturaer
+RulesPurchaseTurnoverTotalPurchaseJournal=Det inkluderer alle debet linjer fra købsdagbogen. +ReportPurchaseTurnover=Faktureret køb af omsætning +ReportPurchaseTurnoverCollected=Køb af omsætning samlet +IncludeVarpaysInResults = Medtag forskellige betalinger i rapporter +IncludeLoansInResults = Inkluder lån i rapporter diff --git a/htdocs/langs/da_DK/contracts.lang b/htdocs/langs/da_DK/contracts.lang index ebb3561860f..cfa7b2f2eb2 100644 --- a/htdocs/langs/da_DK/contracts.lang +++ b/htdocs/langs/da_DK/contracts.lang @@ -51,7 +51,7 @@ ListOfClosedServices=Liste over lukkede tjenester ListOfRunningServices=Liste over kører tjenester NotActivatedServices=Ikke aktiverede tjenester (blandt bekræftet kontrakter) BoardNotActivatedServices=Tjenester for at aktivere blandt bekræftet kontrakter -BoardNotActivatedServicesShort=Services to activate +BoardNotActivatedServicesShort=Tjenester, der skal aktiveres LastContracts=Latest %s contracts LastModifiedServices=Latest %s modified services ContractStartDate=Startdato @@ -65,10 +65,10 @@ DateStartRealShort=Real startdato DateEndReal=Real slutdato DateEndRealShort=Real slutdato CloseService=Luk service -BoardRunningServices=Services running -BoardRunningServicesShort=Services running -BoardExpiredServices=Services expired -BoardExpiredServicesShort=Services expired +BoardRunningServices=Tjeneste kører +BoardRunningServicesShort=Tjeneste kører +BoardExpiredServices=Tjenesterne udløb +BoardExpiredServicesShort=Tjenesterne udløb ServiceStatus=Status for service DraftContracts=Drafts kontrakter CloseRefusedBecauseOneServiceActive=Kontrakten kan ikke lukkes, da der er mindst en åben service på den diff --git a/htdocs/langs/da_DK/cron.lang b/htdocs/langs/da_DK/cron.lang index 33b24dee55d..af3f09161a9 100644 --- a/htdocs/langs/da_DK/cron.lang +++ b/htdocs/langs/da_DK/cron.lang @@ -6,13 +6,13 @@ Permission23102 = Create/update Scheduled job Permission23103 = Delete Scheduled job Permission23104 = Execute Scheduled job # Admin -CronSetup= Scheduled job management setup +CronSetup=Planlagt opsætning af jobstyring URLToLaunchCronJobs=URL to check and launch qualified cron jobs OrToLaunchASpecificJob=Or to check and launch a specific job KeyForCronAccess=Security key for URL to launch cron jobs FileToLaunchCronJobs=Kommandolinje for at kontrollere og starte kvalificerede cron-job CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes +CronExplainHowToRunWin=På Microsoft (tm) Windows-miljø kan du bruge Scheduled Task-værktøjer til at køre kommandolinjen hvert 5. minut CronMethodDoesNotExists=Class %s does not contains any method %s CronJobDefDesc=Cron-jobprofiler er defineret i modulbeskrivelsesfilen. Når modulet er aktiveret, er de indlæst og tilgængeligt, så du kan administrere jobene fra adminværktøjsmenuen %s. CronJobProfiles=Liste over forud definerede cron jobprofiler @@ -42,8 +42,8 @@ CronModule=Modul CronNoJobs=No jobs registered CronPriority=Prioritet CronLabel=Label -CronNbRun=Nb. launch -CronMaxRun=Max number launch +CronNbRun=Antal lanceringer +CronMaxRun=Maksimalt antal lanceringer CronEach=Every JobFinished=Job startet og gennemført #Page card @@ -51,7 +51,7 @@ CronAdd= Add jobs CronEvery=Execute job each CronObject=Instance/Object to create CronArgs=Parametre -CronSaveSucess=Save successfully +CronSaveSucess=Gemt med succes CronNote=Kommentar CronFieldMandatory=Fields %s is mandatory CronErrEndDateStartDt=End date cannot be before start date @@ -61,11 +61,11 @@ CronStatusInactiveBtn=Deaktivere CronTaskInactive=This job is disabled CronId=Id CronClassFile=Filename with class -CronModuleHelp=Navn på Dolibarr modul bibliotek (også arbejde med ekstern Dolibarr modul).
For eksempel at kalde/hente metode for Dolibarr Produkt objekt /htdocs/product/class/product.class.php, er værdien for modulet produkt -CronClassFileHelp=Den relative sti og filnavn, der skal indlæses (stien er i forhold til webserverens rodmappe).
For eksempel at kalde hentningsmetoden for Dolibarr Produktobjekt htdocs / product / class / product.class.php er værdien for klassefilenavnet
produkt / klasse / product.class.php -CronObjectHelp=Objektnavnet, der skal indlæses.
For eksempel at kalde/hente fremgangsmåden for Dolibarr Product objektet /htdocs/product/class/product.class.php, er værdien for klassefilenavnet
Produkt -CronMethodHelp=Objektmetoden til at starte.
For eksempel at kalde hentningsmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er værdien for metoden hent -CronArgsHelp=Metoden argumenter.
For eksempel at kalde/hente metode for Dolibarr Produkt objekt /htdocs/product/class/product.class.php, kan værdien for paramters være 0, ProductRef +CronModuleHelp=Navn på Dolibarr modul bibliotek (også arbejde med ekstern Dolibarr modul).
For eksempel for at kalde hentningsmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er værdien for modulet produkt +CronClassFileHelp=Den relative sti og filnavn, der skal indlæses (stien er i forhold til webserverens rodmappe).
For eksempel for at kalde hentningsmetoden for Dolibarr Produktobjekt htdocs / product / class / product.class.php er værdien for klassefilenavnet
produkt / klasse / product.class.php +CronObjectHelp=Objektnavnet, der skal indlæses.
For at f.eks. Kalde hentningsmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er værdien for klassefilenavnet
Produkt +CronMethodHelp=Objektmetoden til at starte.
For at f.eks. Kalde hentningsmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er værdien for metoden hent +CronArgsHelp=Metodargumenterna.
For eksempel for at kalde hente metode til Dolibarr Produkt objekt /htdocs/product/class/product.class.php, kan værdien for paramters være 0, ProductRef CronCommandHelp=The system command line to execute. CronCreateJob=Create new Scheduled Job CronFrom=Fra @@ -74,10 +74,11 @@ CronFrom=Fra CronType=Job type CronType_method=Opkaldsmetode for en PHP klasse CronType_command=Shell command -CronCannotLoadClass=Cannot load class file %s (to use class %s) -CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it -UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs. +CronCannotLoadClass=Kan ikke indlæse klassefilen %s (for at bruge klasse %s) +CronCannotLoadObject=Klasse fil %s blev indlæst, men objekt %s blev ikke fundet i det +UseMenuModuleToolsToAddCronJobs=Gå til menuen "Hjem - Administrationsværktøjer - Planlagte job" for at se og redigere planlagte job. JobDisabled=Job disabled MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep +MakeLocalDatabaseDump=Opret en lokal database dump. Parametre er: komprimering ('gz' eller 'bz' eller 'ingen'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' eller filnavn til opbygning, antal backupfiler WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. +DATAPOLICYJob=Datarenser og anonymizer diff --git a/htdocs/langs/da_DK/deliveries.lang b/htdocs/langs/da_DK/deliveries.lang index 8b60168c58b..d4ea903643c 100644 --- a/htdocs/langs/da_DK/deliveries.lang +++ b/htdocs/langs/da_DK/deliveries.lang @@ -2,7 +2,7 @@ Delivery=Aflevering DeliveryRef=Ref Levering DeliveryCard=Kvitteringskort -DeliveryOrder=Delivery receipt +DeliveryOrder=Leveringskvittering DeliveryDate=Leveringsdato CreateDeliveryOrder=Generer leveringskvittering DeliveryStateSaved=Leveringsstatus gemt @@ -18,14 +18,14 @@ StatusDeliveryCanceled=Aflyst StatusDeliveryDraft=Udkast til StatusDeliveryValidated=Modtaget # merou PDF model -NameAndSignature=Name and Signature: +NameAndSignature=Navn og underskrift: ToAndDate=Til___________________________________ om ____ / _____ / __________ GoodStatusDeclaration=Har modtaget varerne over i god stand, -Deliverer=Deliverer: +Deliverer=Befrier: Sender=Sender Recipient=Modtager ErrorStockIsNotEnough=Der er ikke nok lager Shippable=Fragtvarer NonShippable=Kan ikke sendes ShowReceiving=Vis leverings kvittering -NonExistentOrder=Nonexistent order +NonExistentOrder=ikke-eksisterende ordre diff --git a/htdocs/langs/da_DK/dict.lang b/htdocs/langs/da_DK/dict.lang index 9388de813e2..f06be3fb956 100644 --- a/htdocs/langs/da_DK/dict.lang +++ b/htdocs/langs/da_DK/dict.lang @@ -290,7 +290,7 @@ CurrencyXOF=CFA-franc BCEAO CurrencySingXOF=CFA Franc BCEAO CurrencyXPF=FFP franc CurrencySingXPF=FFP Franc -CurrencyCentEUR=cents +CurrencyCentEUR=cent CurrencyCentSingEUR=cent CurrencyCentINR=paisa CurrencyCentSingINR=paise @@ -307,7 +307,7 @@ DemandReasonTypeSRC_WOM=Word of mouth DemandReasonTypeSRC_PARTNER=Partner DemandReasonTypeSRC_EMPLOYEE=Employee DemandReasonTypeSRC_SPONSORING=Sponsorship -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_SRC_CUSTOMER=Indgående kontakt fra en kunde #### Paper formats #### PaperFormatEU4A0=Format 4A0 PaperFormatEU2A0=Format 2A0 diff --git a/htdocs/langs/da_DK/donations.lang b/htdocs/langs/da_DK/donations.lang index 99c32431c44..e2e4d5f488b 100644 --- a/htdocs/langs/da_DK/donations.lang +++ b/htdocs/langs/da_DK/donations.lang @@ -16,7 +16,7 @@ DonationStatusPromiseNotValidatedShort=Udkast DonationStatusPromiseValidatedShort=bekræftet DonationStatusPaidShort=Modtaget DonationTitle=Bidragskvittering -DonationDate=Donation date +DonationDate=Donationsdato DonationDatePayment=Betalingsdato ValidPromess=Validér løfte DonationReceipt=Bidragskvittering diff --git a/htdocs/langs/da_DK/ecm.lang b/htdocs/langs/da_DK/ecm.lang index 0525e241c0c..a00bb2167b3 100644 --- a/htdocs/langs/da_DK/ecm.lang +++ b/htdocs/langs/da_DK/ecm.lang @@ -34,8 +34,8 @@ ECMDocsByProjects=Documents linked to projects ECMDocsByUsers=Documents linked to users ECMDocsByInterventions=Documents linked to interventions ECMDocsByExpenseReports=Documents linked to expense reports -ECMDocsByHolidays=Documents linked to holidays -ECMDocsBySupplierProposals=Documents linked to supplier proposals +ECMDocsByHolidays=Dokumenter, der er knyttet til helligdage +ECMDocsBySupplierProposals=Dokumenter, der er knyttet til leverandørforslag ECMNoDirectoryYet=Ingen mappe oprettet ShowECMSection=Vis mappe DeleteSection=Fjern mappe diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index 8eb3fb29a3f..20eb7b1ecd9 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -4,7 +4,7 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong +ErrorBadEMail=E-mail%s er forkert ErrorBadUrl=Url %s er forkert ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorLoginAlreadyExists=Log ind %s eksisterer allerede. @@ -23,14 +23,14 @@ ErrorFailToGenerateFile=Failed to generate file '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=Denne kontaktperson er allerede defineret som kontaktperson for denne type. ErrorCashAccountAcceptsOnlyCashMoney=Denne bankkonto er et kontant-konto, så det accepterer betaling af type cash only. ErrorFromToAccountsMustDiffers=Kilde og mål bankkonti skal være anderledes. -ErrorBadThirdPartyName=Bad value for third-party name +ErrorBadThirdPartyName=Dårlig værdi for tredjeparts navn ErrorProdIdIsMandatory=The %s is mandatory ErrorBadCustomerCodeSyntax=Bad syntaks for kunde-kode -ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. +ErrorBadBarCodeSyntax=Dårlig syntaks til stregkode. Måske angiver du en dårlig stregkodetype, eller definerer du en stregkodemaske til nummerering, der ikke svarer til den scannede værdi. ErrorCustomerCodeRequired=Kundekode kræves -ErrorBarCodeRequired=Barcode required +ErrorBarCodeRequired=Stregkode påkrævet ErrorCustomerCodeAlreadyUsed=Kundekoden anvendes allerede -ErrorBarCodeAlreadyUsed=Barcode already used +ErrorBarCodeAlreadyUsed=Stregkode allerede brugt ErrorPrefixRequired=Prefix kræves ErrorBadSupplierCodeSyntax=Dårlig syntax for leverandør kode ErrorSupplierCodeRequired=Leverandørkode kræves @@ -59,7 +59,7 @@ ErrorPartialFile=Fil ikke modtaget helt af serveren. ErrorNoTmpDir=Midlertidig directy %s ikke eksisterer. ErrorUploadBlockedByAddon=Upload blokeret af en PHP / Apache plugin. ErrorFileSizeTooLarge=Filstørrelse er for stor. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Feltet%s er for langt. ErrorSizeTooLongForIntType=Størrelse for lang tid for int type (%s cifre maksimum) ErrorSizeTooLongForVarcharType=Størrelse for lang tid for streng type (%s tegn maksimum) ErrorNoValueForSelectType=Please fill value for select list @@ -82,22 +82,22 @@ ErrorRecordIsUsedCantDelete=Kan ikke slette rekord. Den er allerede brugt eller ErrorModuleRequireJavascript=Javascript må ikke være deaktiveret for at få denne funktion til at fungere. For at aktivere / deaktivere Javascript, skal du gå til menuen Home-> Setup-> Display. ErrorPasswordsMustMatch=Begge har skrevet passwords skal matche hinanden ErrorContactEMail=Der opstod en teknisk fejl. Kontakt administratoren til følgende e-mail %s og giv fejlkoden %s i din besked eller tilføj en skærmkopi af denne side. -ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s -ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s -ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref -ErrorsOnXLines=%s errors found +ErrorWrongValueForField=Felt%s: '%s' stemmer ikke overens med regex-reglen%s +ErrorFieldValueNotIn=Felt %s: '%s' er ikke en værdi fundet i felt %saf %s +ErrorFieldRefNotIn=Felt%s: '%s' er ikke en %s eksisterende ref +ErrorsOnXLines=%s fundne fejl ErrorFileIsInfectedWithAVirus=Det antivirusprogram var ikke i stand til at bekræfte filen (filen kan være inficeret med en virus) ErrorSpecialCharNotAllowedForField=Specialtegn er ikke tilladt for feltet "%s" ErrorNumRefModel=En henvisning findes i databasen (%s) og er ikke kompatible med denne nummerering regel. Fjern optage eller omdøbt henvisning til aktivere dette modul. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. +ErrorQtyTooLowForThisSupplier=Mængden for lav for denne leverandør eller ingen pris defineret på dette produkt for denne leverandør +ErrorOrdersNotCreatedQtyTooLow=Nogle ordrer er ikke blevet oprettet på grund af for lave mængder +ErrorModuleSetupNotComplete=Opsætning af modul %s ser ud til at være ufuldstændig. Gå videre - Opsætning - Moduler, for at gennemføres. ErrorBadMask=Fejl på maske ErrorBadMaskFailedToLocatePosOfSequence=Fejl, maske uden loebenummeret ErrorBadMaskBadRazMonth=Fejl, dårlig reset værdi -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask +ErrorMaxNumberReachForThisMask=Maksimalt antal nåede til denne maske ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Fejl, vælg mindst en post. ErrorDeleteNotPossibleLineIsConsolidated=Slet ikke muligt, fordi rekord er knyttet til en banktransaktion, der er forliget ErrorProdIdAlreadyExist=%s er tildelt til et andet tredjeland ErrorFailedToSendPassword=Det lykkedes ikke at sende password @@ -118,9 +118,9 @@ ErrorLoginDoesNotExists=Bruger med login %s kunne ikke findes. ErrorLoginHasNoEmail=Denne bruger har ingen e-mail-adresse. Processen afbrydes. ErrorBadValueForCode=Bad værdi former for kode. Prøv igen med en ny værdi ... ErrorBothFieldCantBeNegative=Fields %s og %s kan ikke være både negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=Feltet %skan ikke være negativt på denne type faktura. Hvis du har brug for at tilføje en rabat linje, bare oprette rabatten først (fra marken '%s' i tredjeparts-kort), og anvende det til fakturaen. +ErrorLinesCantBeNegativeForOneVATRate=Det samlede antal linjer kan ikke være negativt for en given momssats. +ErrorLinesCantBeNegativeOnDeposits=Linjer kan ikke være negative i et depositum. Du vil stå over for problemer, når du bliver nødt til at forbruge deponering i endelige faktura, hvis du gør det. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Brugerkonto %s anvendes til at udføre web-server har ikke tilladelse til at ErrorNoActivatedBarcode=Ingen stregkode aktiveret typen @@ -177,7 +177,7 @@ ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' ErrorGlobalVariableUpdater5=No global variable selected ErrorFieldMustBeANumeric=Field %s must be a numeric value ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. +ErrorOppStatusRequiredIfAmount=Du angiver et estimeret beløb for denne kundeemne. Så du skal også indtaste dets status. ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) ErrorSavingChanges=Der er opstået en fejl, når ændringerne gemmes @@ -199,7 +199,7 @@ ErrorPhpMailDelivery=Check that you don't use a too high number of recipients an ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. ErrorTaskAlreadyAssigned=Task already assigned to user ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. -ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s +ErrorModuleFileSeemsToHaveAWrongFormat2=Der skal mindst findes et obligatorisk bibliotek i zip modulet: %s eller %s ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. ErrorNoWarehouseDefined=Error, no warehouses defined. @@ -216,39 +216,39 @@ ErrorProductBarCodeAlreadyExists=Produktets stregkode %s eksisterer allerede på ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Bemærk også, at brug af virtuelt produkt med automatisk forøgelse / nedsættelse af underprodukter ikke er mulig, når mindst et underprodukt (eller underprodukt af underprodukter) har brug for et serienummer / parti nummer. ErrorDescRequiredForFreeProductLines=Beskrivelse er obligatorisk for linjer med gratis produkt ErrorAPageWithThisNameOrAliasAlreadyExists=Siden / beholderen %s har samme navn eller alternativt alias som den, du forsøger at bruge -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorDuringChartLoad=Fejl ved indlæsning af kontoplan. Hvis nogle konti ikke blev indlæst, kan du stadig indtaste dem manuelt. +ErrorBadSyntaxForParamKeyForContent=Dårlig syntaks for parameternøgleindhold. Skal have en værdi, der starter med %s eller %s +ErrorVariableKeyForContentMustBeSet=Fejl, konstanten med navn %s(med tekstindhold, der skal vises) eller %s(med ekstern url til at vises) skal sættes. +ErrorURLMustStartWithHttp=URL %s skal starte med http: // eller https: // +ErrorNewRefIsAlreadyUsed=Fejl, den nye reference er allerede brugt +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Fejl, sletning af betaling, der er knyttet til en lukket faktura, er ikke mulig. +ErrorSearchCriteriaTooSmall=Søgekriterier er for korte. +ErrorObjectMustHaveStatusActiveToBeDisabled=Objekter skal have status 'Aktiv' for at være deaktiveret +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objekter skal have status 'Udkast' eller 'Deaktiveret' for at være aktiveret +ErrorNoFieldWithAttributeShowoncombobox=Ingen felter har egenskaben 'showoncombobox' til definition af objektet '%s'. Ingen måde at vise kombinationen på. +ErrorFieldRequiredForProduct=Felt '%s' kræves for produktet %s +ProblemIsInSetupOfTerminal=Problemet er ved opsætning af terminalen %s. +ErrorAddAtLeastOneLineFirst=Tilføj mindst en linje først +ErrorRecordAlreadyInAccountingDeletionNotPossible=Fejl, posten er allerede overført i regnskab, sletning er ikke mulig. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Fejl, sprog er obligatorisk, hvis du indstiller siden til en oversættelse af en anden. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Fejl, sprog på oversat side er det samme som denne. +ErrorBatchNoFoundForProductInWarehouse=Der blev ikke fundet noget batch/seriel for produkt "%s" på lager "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Ikke tilstrækkelig mængde til dette batch/serien til produktet "%s" på lager "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Kun 1 felt for 'Group by' er muligt (andre kasseres) +ErrorTooManyDifferentValueForSelectedGroupBy=Fundet for mange forskellig værdi (mere end %s) til feltet '%s', så vi ikke kan bruge det som en 'gruppe af' for grafik. Feltet 'Gruppe Af' er blevet fjernet. Kan være du ønskede at bruge det som en X-akse? +ErrorReplaceStringEmpty=Fejl, strengen, der skal erstattes til, er tom # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Din PHP-parameter upload_max_filesize (%s) er højere end PHP-parameter post_max_size (%s). Dette er ikke en ensartet opsætning. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications +WarningMandatorySetupNotComplete=Klik her for at opsætte obligatoriske parametre +WarningEnableYourModulesApplications=Klik her for at aktivere dine moduler og applikationer WarningSafeModeOnCheckExecDir=Advarsel, PHP option safe_mode er på så kommandoen skal opbevares i en mappe angivet af php parameter safe_mode_exec_dir. WarningBookmarkAlreadyExists=Et bogmærke med denne titel eller dette mål (URL), der allerede eksisterer. WarningPassIsEmpty=Advarsel, database password er tomt. Det er en sikkerheds hul. Du skal tilføje en adgangskode til din database og ændre din conf.php fil for at afspejle dette. WarningConfFileMustBeReadOnly=Advarsel, config fil (htdocs / conf / conf.php) kan din blive overskrevet af den web-server. Dette er en alvorlig sikkerhedsrisiko hul. Rediger tilladelserne til filen skal være i read only mode i operativsystemet bruger bruges af web-serveren. Hvis du bruger Windows og FAT format til din disk, skal du vide, at denne fil systemet ikke lader til at tilføje tilladelser på filen, kan så ikke helt sikker. WarningsOnXLines=Advarsler om %s kildelinjer WarningNoDocumentModelActivated=Ingen model til dokumentgenerering er blevet aktiveret. En model vælges som standard, indtil du tjekker din modulopsætning. -WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk. +WarningLockFileDoesNotExists=Advarsel, når installationen er afsluttet, skal du deaktivere installations- / migreringsværktøjerne ved at tilføje en fil install.lock i biblioteket%s. At udelade oprettelsen af denne fil er en alvorlig sikkerhedsrisiko. WarningUntilDirRemoved=Alle sikkerhedsadvarsler (kun synlige for adminbrugere) forbliver aktive, så længe sårbarheden er til stede (eller den konstante MAIN_REMOVE_INSTALL_WARNING er tilføjet i Setup-> Other Setup). WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. @@ -261,5 +261,6 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language WarningNumberOfRecipientIsRestrictedInMassAction=Advarsel, antallet af forskellige modtagere er begrænset til %s , når du bruger massehandlingerne på lister WarningDateOfLineMustBeInExpenseReportRange=Advarsel, datoen for linjen ligger ikke inden for udgiftsrapporten -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningProjectClosed=Projektet er lukket. Du skal genåbne det først. +WarningSomeBankTransactionByChequeWereRemovedAfter=Nogle banktransaktioner blev fjernet, efter at kvitteringen inklusive dem blev genereret. Så nb af kontroller og det samlede antal modtagelser kan afvige fra antal og total på listen. +WarningFailedToAddFileIntoDatabaseIndex=Advarsel, kunne ikke tilføje filpost i ECM-databasens indekstabel diff --git a/htdocs/langs/da_DK/exports.lang b/htdocs/langs/da_DK/exports.lang index 15747af70f5..5f05261b9c9 100644 --- a/htdocs/langs/da_DK/exports.lang +++ b/htdocs/langs/da_DK/exports.lang @@ -26,6 +26,8 @@ FieldTitle=Felt titel NowClickToGenerateToBuildExportFile=Vælg nu filformatet i kombinationsboksen og klik på "Generer" for at opbygge eksportfilen ... AvailableFormats=Tilgængelige formater LibraryShort=Bibliotek +ExportCsvSeparator=CSV karakter separator +ImportCsvSeparator=CSV karakter separator Step=Trin FormatedImport=Importassistent FormatedImportDesc1=Dette modul giver dig mulighed for at opdatere eksisterende data eller tilføje nye objekter i databasen fra en fil uden teknisk viden ved hjælp af en assistent. @@ -37,14 +39,14 @@ FormatedExportDesc3=Når data til eksport er valgt, kan du vælge formatet for o Sheet=Ark NoImportableData=Ingen data at importere (intet modul med definitioner, der gør det muligt at importere data) FileSuccessfullyBuilt=File generated -SQLUsedForExport=SQL Request used to extract data +SQLUsedForExport=SQL-anmodning brugt til at udtrække data LineId=Id for linje LineLabel=Label of line LineDescription=Beskrivelse af linje LineUnitPrice=Enhedspris på linje LineVATRate=Momssats på linje LineQty=Mængde for linje -LineTotalHT=Amount excl. tax for line +LineTotalHT=Beløb ekskl. moms for linje LineTotalTTC=Beløb med fradrag af skat for linje LineTotalVAT=Momsbeløb for linje TypeOfLineServiceOrProduct=Strækningstype (0= produkt, 1= tjeneste) @@ -68,7 +70,7 @@ FieldsTarget=Målrettet felter FieldTarget=Målrettet område FieldSource=Kilde område NbOfSourceLines=Antal linjer i kildefilen -NowClickToTestTheImport=Check that the file format (field and string delimiters) of your file matches the options shown and that you have omitted the header line, or these will be flagged as errors in the following simulation.
Click on the "%s" button to run a check of the file structure/contents and simulate the import process.
No data will be changed in your database. +NowClickToTestTheImport=Kontroller, at filformatet (felt- og streng afgrænsere) af din fil svarer til de viste indstillinger, og at du har udeladt overskriftslinjen, eller at disse vil blive markeret som fejl i følgende simulering.
Klik på knappen "%s" for at køre en kontrol af filstrukturen / indholdet og simulere importprocessen.
Ingen data ændres i din database. RunSimulateImportFile=Kør Impulsimulering FieldNeedSource=This field requires data from the source file SomeMandatoryFieldHaveNoSource=Nogle obligatoriske felter er ingen kilde fra datafil @@ -78,7 +80,7 @@ SelectAtLeastOneField=Switch mindst én kilde felt i kolonnen for felter for at SelectFormat=Vælg denne import filformat RunImportFile=Importer data NowClickToRunTheImport=Kontroller resultaterne af importsimuleringen. Korrigér eventuelle fejl og genprøve.
Når simuleringen rapporterer, er der ingen fejl, du kan fortsætte med at importere dataene til databasen. -DataLoadedWithId=The imported data will have an additional field in each database table with this import id: %s, to allow it to be searchable in the case of investigating a problem related to this import. +DataLoadedWithId=De importerede data har et ekstra felt i hver databasetabel med dette import-id :%s, for at tillade, at de kan søges i tilfælde af at undersøge et problem, der er relateret til denne import. ErrorMissingMandatoryValue=Obligatoriske data er tomme i kildefilen for feltet %s . TooMuchErrors=Der er stadig %s andre kildelinjer med fejl, men output er begrænset. TooMuchWarnings=Der er stadig %s andre kildelinjer med advarsler, men output er begrænset. @@ -109,14 +111,14 @@ Separator=Felt separator Enclosure=String Delimiter SpecialCode=Special code ExportStringFilter=%% allows replacing one or more characters in the text -ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filters by one year/month/day
YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filters over a range of years/months/days
> YYYY, > YYYYMM, > YYYYMMDD: filters on all following years/months/days
< YYYY, < YYYYMM, < YYYYMMDD: filters on all previous years/months/days +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filtreres efter et år / måned / dag
YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: filtreres over en række år / måneder / dage
> YYYY, > YYYYMM, > YYYYMMDD: filtre på alle følgende år / måneder / dage
< YYYY, < YYYYMM, < YYYYMMDD: filtre på alle tidligere år / måneder / dage ExportNumericFilter=NNNNN filters by one value
NNNNN+NNNNN filters over a range of values
< NNNNN filters by lower values
> NNNNN filters by higher values ImportFromLine=Import starting from line number EndAtLineNb=End at line number -ImportFromToLine=Limit range (From - To). Eg. to omit header line(s). -SetThisValueTo2ToExcludeFirstLine=For example, set this value to 3 to exclude the 2 first lines.
If the header lines are NOT omitted, this will result in multiple errors in the Import Simulation. -KeepEmptyToGoToEndOfFile=Keep this field empty to process all lines to the end of the file. -SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for an UPDATE import +ImportFromToLine=Begrænsningsområde (fra - til). F.eks. for at udelade overskrift (er). +SetThisValueTo2ToExcludeFirstLine=For eksempel skal du indstille denne værdi til 3 for at ekskludere de 2 første linjer. Hvis overskriftslinierne IKKE er udeladt, vil dette resultere i flere fejl i importsimuleringen. +KeepEmptyToGoToEndOfFile=Hold dette felt tomt for at behandle alle linjer til slutningen af filen. +SelectPrimaryColumnsForUpdateAttempt=Vælg kolonne (r), der skal bruges som primær nøgle til en UPDATE-import UpdateNotYetSupportedForThisImport=Opdatering understøttes ikke for denne type import (kun indsæt) NoUpdateAttempt=Der blev ikke udført nogen opdaterings forsøg, kun indsæt ImportDataset_user_1=Brugere (medarbejdere eller ej) og ejendomme diff --git a/htdocs/langs/da_DK/ftp.lang b/htdocs/langs/da_DK/ftp.lang index 3afb1df33fa..045d669cb3b 100644 --- a/htdocs/langs/da_DK/ftp.lang +++ b/htdocs/langs/da_DK/ftp.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - ftp -FTPClientSetup=FTP-klient modul opsætning -NewFTPClient=Ny FTP forbindelse setup +FTPClientSetup=Opsætning af FTP klient-modul +NewFTPClient=Ny FTP-forbindelse opsætning FTPArea=FTP Område -FTPAreaDesc=Denne skærm viser dig indholdet af en FTP server henblik -SetupOfFTPClientModuleNotComplete=Opsætning af FTP-klient modul ser ud til at være fuldstændig -FTPFeatureNotSupportedByYourPHP=Din PHP understøtter ikke FTP funktioner +FTPAreaDesc=Denne skærm viser en visning af en FTP-server. +SetupOfFTPClientModuleNotComplete=Opsætningen af FTP-klientmodulet ser ud til at være ufuldstændig +FTPFeatureNotSupportedByYourPHP=Din PHP understøtter ikke FTP-funktioner FailedToConnectToFTPServer=Kunne ikke forbinde til FTP server (server %s, port %s) FailedToConnectToFTPServerWithCredentials=Kunne ikke logge på FTP server med defineret login / password FTPFailedToRemoveFile=Kunne ikke fjerne filen %s. -FTPFailedToRemoveDir=Kunne ikke fjerne kataloget %s (Check tilladelser, og at biblioteket er tom). +FTPFailedToRemoveDir=Kunne ikke fjerne biblioteket%s: Kontroller tilladelser, og at biblioteket er tomt. FTPPassiveMode=Passive mode -ChooseAFTPEntryIntoMenu=Choose a FTP entry into menu... +ChooseAFTPEntryIntoMenu=Vælg et FTP-server fra menuen ... FailedToGetFile=Failed to get files %s diff --git a/htdocs/langs/da_DK/help.lang b/htdocs/langs/da_DK/help.lang index a7bf29c88c2..0043f02cb0d 100644 --- a/htdocs/langs/da_DK/help.lang +++ b/htdocs/langs/da_DK/help.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - help CommunitySupport=Forum / Wiki støtte EMailSupport=Emails støtte -RemoteControlSupport=Online realtid / fjernsupport +RemoteControlSupport=Online realtids / fjernsupport OtherSupport=Anden support ToSeeListOfAvailableRessources=Til at kontakte / se tilgængelige ressourcer: -HelpCenter=Hjælp +HelpCenter=Hjælpecenter DolibarrHelpCenter=Dolibarr Hjælp og supportcenter ToGoBackToDolibarr=Ellers Klik her for at fortsætte med at bruge Dolibarr . TypeOfSupport=Type af støtte diff --git a/htdocs/langs/da_DK/holiday.lang b/htdocs/langs/da_DK/holiday.lang index 033835e2257..8f9edf819f3 100644 --- a/htdocs/langs/da_DK/holiday.lang +++ b/htdocs/langs/da_DK/holiday.lang @@ -17,7 +17,7 @@ ValidatorCP=Approbator ListeCP=Liste over orlov LeaveId=Forlad ID ReviewedByCP=Will be reviewed by -UserID=User ID +UserID=bruger ID UserForApprovalID=Bruger til godkendelses-id UserForApprovalFirstname=Fornavn af godkendelsesbruger UserForApprovalLastname=Efternavn af godkendelsesbruger @@ -39,10 +39,10 @@ TypeOfLeaveId=Type orlov ID TypeOfLeaveCode=Type orlovskode TypeOfLeaveLabel=Orlovsetikettype NbUseDaysCP=Number of days of vacation consumed -NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. +NbUseDaysCPHelp=Beregningen tager hensyn til den ikke arbejdsdage og helligdage, der er defineret i ordbogen. NbUseDaysCPShort=Dage forbrugt NbUseDaysCPShortInMonth=Dage indtages i måneden -DayIsANonWorkingDay=%s is a non working day +DayIsANonWorkingDay=%s er en ikke-arbejdsdag DateStartInMonth=Startdato i måned DateEndInMonth=Slutdato i måned EditCP=Redigér @@ -114,20 +114,20 @@ NoticePeriod=Notice period HolidaysToValidate=Validate leave requests HolidaysToValidateBody=Below is a leave request to validate HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. +HolidaysToValidateAlertSolde=Den bruger, der har foretaget denne anmodning om orlov, har ikke nok tilgængelige dage. HolidaysValidated=Validated leave requests HolidaysValidatedBody=Your leave request for %s to %s has been validated. HolidaysRefused=Request denied -HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: +HolidaysRefusedBody=Din anmodning om %s orlov til %s er blevet afvist af følgende grund: HolidaysCanceled=Canceled leaved request HolidaysCanceledBody=Your leave request for %s to %s has been canceled. FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
0: Not followed by a counter. NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter GoIntoDictionaryHolidayTypes=Gå ind i Hjem - Opsætning - Ordbøger - Typen af ​​orlov for at opsætte de forskellige typer blade. -HolidaySetup=Setup of module Holiday -HolidaysNumberingModules=Leave requests numbering models -TemplatePDFHolidays=Template for leave requests PDF -FreeLegalTextOnHolidays=Free text on PDF -WatermarkOnDraftHolidayCards=Watermarks on draft leave requests -HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays +HolidaySetup=Opsætning af modul Ferie +HolidaysNumberingModules=Efterlad anmodning om nummerering af modeller +TemplatePDFHolidays=Skabelon til Ferie anmodninger PDF +FreeLegalTextOnHolidays=Fri tekst på PDF +WatermarkOnDraftHolidayCards=Vandmærker på udkast ferie anmodninger +HolidaysToApprove=Ferie til at godkende +NobodyHasPermissionToValidateHolidays=Ingen har tilladelse til at validere helligdage diff --git a/htdocs/langs/da_DK/hrm.lang b/htdocs/langs/da_DK/hrm.lang index 419d8fafa98..2f0207525d3 100644 --- a/htdocs/langs/da_DK/hrm.lang +++ b/htdocs/langs/da_DK/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Luk etablissement # Dictionary DictionaryPublicHolidays=HRM - helligdage DictionaryDepartment=HRM - Afdelingsliste -DictionaryFunction=HRM - Funktionsliste +DictionaryFunction=HRM - Job stillinger # Module Employees=Medarbejdere Employee=Employee diff --git a/htdocs/langs/da_DK/install.lang b/htdocs/langs/da_DK/install.lang index 692e45b5abb..044aafcb0cd 100644 --- a/htdocs/langs/da_DK/install.lang +++ b/htdocs/langs/da_DK/install.lang @@ -13,22 +13,22 @@ PHPSupportPOSTGETOk=Denne PHP understøtter variablerne POST og GET. PHPSupportPOSTGETKo=Det er muligt, at din PHP opsætning ikke understøtter variabler POST og / eller GET. Kontroller parameteren variables_order i php.ini. PHPSupportGD=Dette PHP understøtter GD grafiske funktioner. PHPSupportCurl=Dette PHP understøtter Curl. -PHPSupportCalendar=This PHP supports calendars extensions. +PHPSupportCalendar=Denne PHP understøtter kalenderudvidelser. PHPSupportUTF8=Dette PHP understøtter UTF8 funktioner. -PHPSupportIntl=This PHP supports Intl functions. -PHPSupportxDebug=This PHP supports extended debug functions. -PHPSupport=This PHP supports %s functions. +PHPSupportIntl=Denne PHP understøtter Intl funktioner. +PHPSupportxDebug=Denne PHP understøtter udvidet debug funktioner. +PHPSupport=Denne PHP understøtter %s funktioner. PHPMemoryOK=Din PHP max session hukommelse er sat til %s. Dette skulle være nok. PHPMemoryTooLow=Din PHP max-sessionshukommelse er indstillet til %s bytes. Dette er for lavt. Skift din php.ini for at indstille parameteren memory_limit til mindst %s bytes. Recheck=Klik her for en mere detaljeret test ErrorPHPDoesNotSupportSessions=Din PHP-installation understøtter ikke sessioner. Denne funktion er nødvendig for at tillade Dolibarr at arbejde. Tjek din PHP opsætning og tilladelser i sessions biblioteket. ErrorPHPDoesNotSupportGD=Din PHP-installation understøtter ikke GD grafiske funktioner. Ingen grafer vil være tilgængelige. ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. -ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. +ErrorPHPDoesNotSupportCalendar=Din PHP installation understøtter ikke php kalenderudvidelser. ErrorPHPDoesNotSupportUTF8=Din PHP-installation understøtter ikke UTF8-funktioner. Dolibarr kan ikke fungere korrekt. Løs dette inden du installerer Dolibarr. -ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. +ErrorPHPDoesNotSupportIntl=Din PHP installation understøtter ikke Intl funktioner. +ErrorPHPDoesNotSupportxDebug=Din PHP installation understøtter ikke udvidet debug funktioner. +ErrorPHPDoesNotSupport=Din PHP-installation understøtter ikke %s funktioner. ErrorDirDoesNotExists=Directory %s ikke eksisterer. ErrorGoBackAndCorrectParameters=Gå tilbage og kontroller / korrigér parametrene. ErrorWrongValueForParameter=Du kan have indtastet en forkert værdi for parameter ' %s'. @@ -93,7 +93,7 @@ GoToSetupArea=Gå til Dolibarr (opsætning) MigrationNotFinished=Databaseversionen er ikke helt opdateret: Kør opgraderingsprocessen igen. GoToUpgradePage=Gå til opgradere siden igen WithNoSlashAtTheEnd=Uden skråstreg "/" i slutningen -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation=VIGTIGT: Du skal bruge en mappe, der er uden for de websider (så ikke bruge en undermappe af forrige parameter). LoginAlreadyExists=Allerede findes DolibarrAdminLogin=Dolibarr admin login AdminLoginAlreadyExists=Dolibarr administratorkonto ' %s ' eksisterer allerede. Gå tilbage, hvis du vil oprette en anden. @@ -135,7 +135,7 @@ OpenBaseDir=PHP openbasedir parameter YouAskToCreateDatabaseSoRootRequired=Du har markeret feltet "Opret database". Til dette skal du give login / adgangskode til superbrugeren (bunden af ​​formularen). YouAskToCreateDatabaseUserSoRootRequired=Du har markeret afkrydsningsfeltet "Opret database ejer". Til dette skal du give login / adgangskode til superbrugeren (bunden af ​​formularen). NextStepMightLastALongTime=Det nuværende trin kan tage flere minutter. Vent venligst, indtil næste skærm vises helt, inden du fortsætter. -MigrationCustomerOrderShipping=Migrate shipping for sales orders storage +MigrationCustomerOrderShipping=Migrer forsendelse til opbevaring af salgsordrer MigrationShippingDelivery=Opgrader opbevaring af skibsfart MigrationShippingDelivery2=Opgrader opbevaring af shipping 2 MigrationFinished=Migrationen er afsluttet @@ -200,7 +200,7 @@ MigrationProjectTaskActors=Dataoverførsel til tabel llx_projet_task_actors MigrationProjectUserResp=Data migration inden fk_user_resp af llx_projet til llx_element_contact MigrationProjectTaskTime=Update tid i sekunder MigrationActioncommElement=Opdatere data om tiltag -MigrationPaymentMode=Data migration for payment type +MigrationPaymentMode=Datamigrering til betalingstype MigrationCategorieAssociation=Migration of categories MigrationEvents=Migrering af begivenheder for at tilføje eventejeren til opgavetabellen MigrationEventsContact=Migration af begivenheder for at tilføje eventkontakt til opgavebord @@ -208,8 +208,8 @@ MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationUserRightsEntity=Opdater enhedens feltværdi af llx_user_rights MigrationUserGroupRightsEntity=Opdater enhedens feltværdi af llx_usergroup_rights -MigrationUserPhotoPath=Migration of photo paths for users -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationUserPhotoPath=Migration af foto stier til brugere +MigrationFieldsSocialNetworks=Migration af brugerfelter sociale netværk (%s) MigrationReloadModule=Reload module %s MigrationResetBlockedLog=Nulstil modul BlockedLog for v7 algoritme ShowNotAvailableOptions=Vis utilgængelige muligheder @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Fejl (er) blev rapporteret under migrationsprocessen, YouTryInstallDisabledByDirLock=Programmet forsøgte at opgradere selv, men installerings- / opgraderingssiderne er blevet deaktiveret for sikkerhed (mappen omdøbes med .lock-suffix).
YouTryInstallDisabledByFileLock=Programmet forsøgte at opgradere selv, men installerings- / opgraderingssiderne er blevet deaktiveret for sikkerhed (ved at der findes en låsfil install.lock i dolibarr-dokumenter-mappen).
ClickHereToGoToApp=Klik her for at gå til din ansøgning -ClickOnLinkOrRemoveManualy=Klik på følgende link. Hvis du altid ser den samme side, skal du fjerne / omdøbe filen install.lock i dokumentmappen. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Hvis en opgradering er i gang, skal du vente. Hvis ikke, skal du klikke på følgende link. Hvis du altid ser denne samme side, skal du fjerne / omdøbe filen install.lock i dokumentmappen. +Loaded=Indlæst +FunctionTest=Funktionstest diff --git a/htdocs/langs/da_DK/interventions.lang b/htdocs/langs/da_DK/interventions.lang index ab46fd73709..af56ebe197c 100644 --- a/htdocs/langs/da_DK/interventions.lang +++ b/htdocs/langs/da_DK/interventions.lang @@ -4,7 +4,7 @@ Interventions=Interventioner InterventionCard=Intervention kortet NewIntervention=Ny intervention AddIntervention=Opret indgreb -ChangeIntoRepeatableIntervention=Change to repeatable intervention +ChangeIntoRepeatableIntervention=Skift til gentagelig indgriben ListOfInterventions=Liste over interventioner ActionsOnFicheInter=Handlinger om intervention LastInterventions=Seneste %s indgreb @@ -20,8 +20,8 @@ ConfirmValidateIntervention=Er du sikker på, at du vil bekræfte dette indgreb ConfirmModifyIntervention=Er du sikker på, at du vil ændre dette indgreb? ConfirmDeleteInterventionLine=Er du sikker på, at du vil slette denne indgrebslinje? ConfirmCloneIntervention=Er du sikker på, at du vil klone dette indgreb? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: +NameAndSignatureOfInternalContact=Navn og underskrift på det mellemliggende: +NameAndSignatureOfExternalContact=Kundens navn og underskrift: DocumentModelStandard=Standard dokument model for indgreb InterventionCardsAndInterventionLines=Indgreb og linjer af indgreb InterventionClassifyBilled=Klassificere "Billed" @@ -29,7 +29,7 @@ InterventionClassifyUnBilled=Klassificer "Ikke faktureret" InterventionClassifyDone=Klassificer "Udført" StatusInterInvoiced=Billed SendInterventionRef=Indsend indgreb %s -SendInterventionByMail=Send intervention by email +SendInterventionByMail=Send intervention via e-mail InterventionCreatedInDolibarr=Et indgreb %s er oprettet InterventionValidatedInDolibarr=Intervention %s bekræftet InterventionModifiedInDolibarr=Ingreb %s ændret @@ -57,10 +57,10 @@ InterDateCreation=Dato oprettelse for indgreb InterDuration=Varighed af indgreb InterStatus=Status InterNote=Bemærk indgreb -InterLine=Line of intervention +InterLine=Interventionslinje InterLineId=Line id indgreb InterLineDate=Linje dato indgreb InterLineDuration=Linje varighed indgreb InterLineDesc=Line beskrivelse af ingreb -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template +RepeatableIntervention=Skabelon for intervention +ToCreateAPredefinedIntervention=For at oprette en foruddefineret eller tilbagevendende intervention skal du oprette en fælles intervention og konvertere den til interventionsskabelon diff --git a/htdocs/langs/da_DK/link.lang b/htdocs/langs/da_DK/link.lang index bf3e4545fe4..8f538298baf 100644 --- a/htdocs/langs/da_DK/link.lang +++ b/htdocs/langs/da_DK/link.lang @@ -8,4 +8,4 @@ LinkRemoved=Linket %s er blevet fjernet ErrorFailedToDeleteLink= Kunne ikke fjerne linket ' %s ' ErrorFailedToUpdateLink= Kunne ikke opdatere linket ' %s ' URLToLink=URL til link -OverwriteIfExists=Overwrite file if exists +OverwriteIfExists=Overskriv fil, hvis den findes diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang index ac4731f9f95..a2fcde474c6 100644 --- a/htdocs/langs/da_DK/mails.lang +++ b/htdocs/langs/da_DK/mails.lang @@ -15,12 +15,12 @@ MailToUsers=Til bruger (e) MailCC=Kopier til MailToCCUsers=Kopier til brugere (e) MailCCC=Cachelagrede kopi til -MailTopic=Email topic +MailTopic=E-mail emne MailText=Besked MailFile=Vedhæftede filer MailMessage=Email indhold -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body +SubjectNotIn=Ikke i emne +BodyNotIn=Ikke i kroppen ShowEMailing=Vis emailing ListOfEMailings=Liste over emailings NewMailing=Ny emailing @@ -47,7 +47,7 @@ MailingStatusReadAndUnsubscribe=Read and unsubscribe ErrorMailRecipientIsEmpty=E-mail-modtager er tom WarningNoEMailsAdded=Ingen nye e-mail for at tilføje til modtagerens listen. 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? +ConfirmResetMailing=Advarsel ved at geninitialisere e-mailing %stillader du genfremsendelse af denne e-mail i bulk-mailing. Er du sikker på, at du vil gøre dette? ConfirmDeleteMailing=Er du sikker på, at du vil slette denne mailing? NbOfUniqueEMails=Antal unikke e-mails NbOfEMails=Antal e-mails @@ -59,7 +59,7 @@ YouCanAddYourOwnPredefindedListHere=Til at oprette din e-mail selector modulet, EMailTestSubstitutionReplacedByGenericValues=Når du bruger testtilstand, substitutioner variabler er erstattet af generiske værdier MailingAddFile=Vedhæft denne fil NoAttachedFiles=Ingen vedhæftede filer -BadEMail=Bad value for Email +BadEMail=Forkert værdi for e-mail ConfirmCloneEMailing=Are you sure you want to clone this emailing? CloneContent=Klon besked CloneReceivers=Cloner modtagere @@ -69,22 +69,22 @@ SentTo=Sendt til %s MailingStatusRead=Læs YourMailUnsubcribeOK=E-mailen %s er korrekt afmeldt fra mailinglisten ActivateCheckReadKey=Nøgle bruges til at kryptere URL, der bruges til "Læs kvittering" og "Afmeld" -funktionen -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. +EMailSentToNRecipients=E-mail sendt til %s modtagere. +EMailSentForNElements=E-mail sendt til %s elementer. XTargetsAdded=%s recipients added into target list OnlyPDFattachmentSupported=Hvis PDF-dokumenterne allerede er genereret til de objekter, der skal sendes, bliver de knyttet til e-mail. Hvis ikke, vil der ikke blive sendt email (også bemærk, at kun pdf-dokumenter understøttes som vedhæftede filer i masse, der sendes i denne version). AllRecipientSelected=Modtagerne af den %s-rekord, der er valgt (hvis deres email er kendt). GroupEmails=Gruppe e-mails OneEmailPerRecipient=Én email pr. Modtager (som standard er der valgt en e-mail pr. Post) WarningIfYouCheckOneRecipientPerEmail=Advarsel, hvis du markerer denne boks betyder det kun, at en e-mail vil blive sendt til flere forskellige valgte poster, så hvis din besked indeholder substitutionsvariabler, der refererer til data i en post, bliver det ikke muligt at erstatte dem. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent +ResultOfMailSending=Resultat af masse E-mail afsendelse +NbSelected=Valgt nummer +NbIgnored=Nummer ignoreret +NbSent=Sendt nummer SentXXXmessages=%s besked (er) sendt. ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category +MailingModuleDescContactsByCompanyCategory=Kontaktpersoner ved tredjepart kategori MailingModuleDescContactsByCategory=Contacts by categories MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=E-mails fra filen @@ -120,8 +120,8 @@ YouCanUseCommaSeparatorForSeveralRecipients=Du kan bruge comma separator TagCheckMail=Track mail opening TagUnsubscribe=Unsubscribe link TagSignature=Signatur af afsender -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) +EMailRecipient=Modtagers E-mail +TagMailtoEmail=Modtager E-mail (herunder html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. # Module Notifications Notifications=Adviséringer @@ -147,7 +147,7 @@ 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 +AdvTgtTypeOfIncudeHelp=Target Email af tredjepart og e-mail for kontakt af tredjeparten, eller bare tredjepart email eller bare kontakt e-mail AdvTgtTypeOfIncude=Type of targeted email AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" AddAll=Add all @@ -164,7 +164,7 @@ NoContactWithCategoryFound=No contact/address with a category found NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found OutGoingEmailSetup=Udgående e-mail opsætning InGoingEmailSetup=Indgående e-mail opsætning -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Udgående e-mail opsætning (til modul%s) DefaultOutgoingEmailSetup=Standard udgående e-mail opsætning Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter +ContactsWithThirdpartyFilter=Kontakter med tredjepart filter diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index 0496ed4d3b8..ccec15bd0f5 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Ingen skabelon til rådighed for denne Email-type AvailableVariables=Tilgængelige erstatnings variabler NoTranslation=Ingen oversættelse Translation=Oversættelse -EmptySearchString=Indtast en tekst søgestreng +EmptySearchString=Indtast ikke tomme søgekriterier NoRecordFound=Ingen poster fundet NoRecordDeleted=Ingen post slettet NotEnoughDataYet=Ikke nok data @@ -174,7 +174,7 @@ SaveAndStay=Gem og bliv SaveAndNew=Gem og nyt TestConnection=Test forbindelse ToClone=Klon -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Er du sikker på, at du vil klone objektet%s? ConfirmClone=Vælg de data, du vil klone: NoCloneOptionsSpecified=Ingen data at klone defineret. Of=af @@ -187,6 +187,8 @@ ShowCardHere=Vis kort Search=Søgning SearchOf=Søg SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Tilføj hurtigt +QuickAddMenuShortCut=Ctrl + shift + l Valid=Gyldig Approve=Godkend Disapprove=Afvist @@ -353,8 +355,8 @@ PriceUTTC=Brutto(Inkl.Moms) Amount=Beløb AmountInvoice=Fakturabeløbet AmountInvoiced=Beløb faktureres -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Faktureret beløb (inkl. Moms) +AmountInvoicedTTC=Faktureret beløb (ekskl. Moms) AmountPayment=Indbetalingsbeløb AmountHTShort=Beløb (ekskl.) AmountTTCShort=Beløb (inkl. moms) @@ -426,6 +428,7 @@ Modules=Moduler/Applikationer Option=Valgmulighed List=Liste FullList=Fuldstændig liste +FullConversation=Fuld samtale Statistics=Statistik OtherStatistics=Andre statistik Status=Status @@ -663,6 +666,7 @@ Owner=Ejer FollowingConstantsWillBeSubstituted=Følgende konstanterne skal erstatte med tilsvarende værdi. Refresh=Opdatér BackToList=Tilbage til listen +BackToTree=Tilbage til træet GoBack=Gå tilbage CanBeModifiedIfOk=Kan ændres, hvis det er gyldigt CanBeModifiedIfKo=Kan ændres, hvis ikke gyldigt @@ -830,8 +834,8 @@ Gender=Køn Genderman=Mand Genderwoman=Kvinde ViewList=Vis liste -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gentt udsigt +ViewKanban=Kanban udsigt Mandatory=Obligatorisk Hello=Hallo GoodBye=Farvel @@ -839,6 +843,7 @@ Sincerely=Med venlig hilsen ConfirmDeleteObject=Er du sikker på, at du vil slette dette objekt? DeleteLine=Slet linje ConfirmDeleteLine=Er du sikker på, at du vil slette denne linje? +ErrorPDFTkOutputFileNotFound=Fejl: filen blev ikke genereret. Kontroller, at kommandoen 'pdftk' er installeret i et bibliotek, der er inkluderet i $ PATH-miljøvariablen (kun linux / unix), eller kontakt din systemadministrator. NoPDFAvailableForDocGenAmongChecked=Der var ikke nogen PDF til dokument generering blandt kontrollerede poster TooManyRecordForMassAction=For mange poster valgt til massehandling. Handlingen er begrænset til en liste over %s poster. NoRecordSelected=Ingen rekord valgt @@ -953,12 +958,13 @@ SearchIntoMembers=Medlemmer SearchIntoUsers=Brugere SearchIntoProductsOrServices=Produkter eller tjenester SearchIntoProjects=Projekter +SearchIntoMO=Fremstillingsordrer SearchIntoTasks=Opgaver SearchIntoCustomerInvoices=Kunde fakturaer SearchIntoSupplierInvoices=Leverandør fakturaer SearchIntoCustomerOrders=Salgsordrer SearchIntoSupplierOrders=Indkøbsordre -SearchIntoCustomerProposals=Kundeforslag +SearchIntoCustomerProposals=Tilbud SearchIntoSupplierProposals=Forhandler forslag SearchIntoInterventions=Interventioner SearchIntoContracts=Kontrakter @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Vælg dine grafindstillinger for at oprette en graf Measures=Foranstaltninger XAxis=X-akse YAxis=Y-akse -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +StatusOfRefMustBe=Status for %s skal være %s +DeleteFileHeader=Bekræft sletning af fil +DeleteFileText=Vil du virkelig slette denne fil? +ShowOtherLanguages=Vis andre sprog +SwitchInEditModeToAddTranslation=Skift i redigeringsfunktion for at tilføje oversættelser til dette sprog +NotUsedForThisCustomer=Ikke brugt til denne kunde +AmountMustBePositive=Beløbet skal være positivt +ByStatus=Efter status diff --git a/htdocs/langs/da_DK/margins.lang b/htdocs/langs/da_DK/margins.lang index b005a3bac51..ee4c55107b4 100644 --- a/htdocs/langs/da_DK/margins.lang +++ b/htdocs/langs/da_DK/margins.lang @@ -16,6 +16,7 @@ MarginDetails=Margen detaljer ProductMargins=Produktmargener CustomerMargins=Kundemargener SalesRepresentativeMargins=Salgsrepræsentantmargener +ContactOfInvoice=Kontakt med faktura UserMargins=Brugermargener ProductService=Produkt eller Service AllProducts=Alle produkter og tjenester @@ -31,14 +32,14 @@ MARGIN_TYPE=Køb / Omkostningspris foreslået som standard for margenberegning MargeType1=Margin på bedste sælgerpris MargeType2=Margin på vejet gennemsnitspris (WAP) MargeType3=Margin på omkostningspris -MarginTypeDesc=* Margin på bedst købspris = Salgspris - Bedste leverandørpris defineret på produktkortet.
* Margin på vægtet gennemsnitspris (WAP) = Salgspris - Produktvægtet gennemsnitspris (WAP) eller bedste leverandørpris, hvis WAP endnu ikke er defineret
* Margen på omkostningspris = Salgspris - Omkostningspris defineret på produktkort eller WAP, hvis omkostningspris ikke er defineret eller bedste leverandørpris, hvis WAP endnu ikke er defineret +MarginTypeDesc=* Margen på bedste købspris = Salgspris - Bedste sælgerpris defineret på produktkort
* Marginal på vægtet gennemsnitspris (WAP) = Salgspris - Produktvægtet gennemsnitspris (WAP) eller bedste sælgerpris, hvis WAP endnu ikke er defineret
* Margin on Cost pris = Salgspris - Omkostningspris defineret på produktkort eller WAP, hvis kostpris ikke er defineret, eller bedste leverandørpris, hvis WAP endnu ikke er defineret CostPrice=Omkostning UnitCharges=Enhedsafgifter Charges=Afgifter AgentContactType=Kommerciel agentkontaktype -AgentContactTypeDetails=Definer, hvilken kontakttype (knyttet til fakturaer) vil blive brugt til marginalrapport pr. Salgsrepræsentant +AgentContactTypeDetails=Definer hvilken kontakttype (der er knyttet til fakturaer), der skal bruges til marginrapport pr. Kontakt / adresse. Bemærk, at læsning af statistik om en kontakt ikke er pålidelig, da kontakten i de fleste tilfælde muligvis ikke er defineret eksplicit på fakturaerne. rateMustBeNumeric=Satsen skal være en numerisk værdi markRateShouldBeLesserThan100=Markrate bør være lavere end 100 ShowMarginInfos=Vis marginoplysninger CheckMargins=Margen detaljer -MarginPerSaleRepresentativeWarning=Rapporten om margen pr. Bruger bruger linket mellem tredjeparter og salgsrepræsentanter til at beregne margenen for hver salgsrepræsentant. Da nogle tredjeparter muligvis ikke har nogen ddiated salgsrepræsentant og nogle tredjeparter kan være knyttet til flere, kan nogle beløb måske ikke medtages i denne rapport (hvis der ikke er salgsrepræsentant), og nogle kan vises på forskellige linjer (for hver salgsrepræsentant). +MarginPerSaleRepresentativeWarning=Rapporten om margen pr. Bruger bruger linket mellem tredjeparter og salgsrepræsentanter til at beregne margenen for hver salgsrepræsentant. Da nogle tredjeparter muligvis ikke har nogen dedikeret salgsrepræsentant, og nogle tredjeparter kan være knyttet til flere, kan nogle beløb måske ikke medtages i denne rapport (hvis der ikke er salgsrepræsentant), og nogle kan forekomme på forskellige linjer (for hver salgsrepræsentant) . diff --git a/htdocs/langs/da_DK/members.lang b/htdocs/langs/da_DK/members.lang index 1b0d8310594..3bd92cbd594 100644 --- a/htdocs/langs/da_DK/members.lang +++ b/htdocs/langs/da_DK/members.lang @@ -6,7 +6,7 @@ Member=Medlem Members=Medlemmer ShowMember=Vis medlemskort UserNotLinkedToMember=Brugeren ikke er knyttet til et medlem -ThirdpartyNotLinkedToMember=Third party not linked to a member +ThirdpartyNotLinkedToMember=Tredjepart, der ikke er knyttet til et medlem MembersTickets=Medlemsbilletter FundationMembers=Organisationens medlemmer ListOfValidatedPublicMembers=Liste over bekræftede offentlige medlemmer @@ -29,7 +29,7 @@ MenuMembersUpToDate=Ajour medlemmer MenuMembersNotUpToDate=Uaktuel medlemmer MenuMembersResiliated=Afsluttede medlemmer MembersWithSubscriptionToReceive=Medlemmer med abonnement for at modtage -MembersWithSubscriptionToReceiveShort=Subscription to receive +MembersWithSubscriptionToReceiveShort=Abonnement til at modtage DateSubscription=Subscription dato DateEndSubscription=Subscription slutdato EndSubscription=End abonnement @@ -52,6 +52,9 @@ MemberStatusResiliated=Afsluttet medlem MemberStatusResiliatedShort=opsagte MembersStatusToValid=Udkast til medlemmer MembersStatusResiliated=Afsluttede medlemmer +MemberStatusNoSubscription=Valideret (intet abonnement kræves) +MemberStatusNoSubscriptionShort=bekræftet +SubscriptionNotNeeded=Intet abonnement nødvendigt NewCotisation=Nye bidrag PaymentSubscription=Nye bidrag betaling SubscriptionEndDate=Subscription slutdato @@ -68,11 +71,11 @@ Subscriptions=Abonnementer SubscriptionLate=Sen SubscriptionNotReceived=Subscription aldrig modtaget ListOfSubscriptions=Liste over abonnementer -SendCardByMail=Send card by email +SendCardByMail=Send kort via e-mail AddMember=Opret medlem NoTypeDefinedGoToSetup=Ingen medlemstyper er defineret. Gå til menuen "Medlemstyper" NewMemberType=Nyt medlem type -WelcomeEMail=Welcome email +WelcomeEMail=Velkomst e-mail SubscriptionRequired=Kræver abonnement DeleteType=Slet VoteAllowed=Afstemning tilladt @@ -125,16 +128,16 @@ CardContent=Indholdet af din medlem kortet ThisIsContentOfYourMembershipRequestWasReceived=Vi vil gerne fortælle dig, at din anmodning om medlemskab blev modtaget.

ThisIsContentOfYourMembershipWasValidated=Vi vil gerne fortælle dig, at dit medlemskab blev bekræftet med følgende oplysninger:

ThisIsContentOfYourSubscriptionWasRecorded=Vi vil gerne fortælle dig, at dit nye abonnement blev registreret.

-ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.

-ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.

-DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member autosubscription -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new subscription recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when subscription is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation -DescADHERENT_MAIL_FROM=Sender Email for automatic emails +ThisIsContentOfSubscriptionReminderEmail=Vi vil fortælle dig, at dit abonnement er ved at udløbe eller allerede er udløbet (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Vi håber, at du fornyer det.

+ThisIsContentOfYourCard=Dette er en oversigt over de oplysninger, vi har om dig. Kontakt os, hvis noget er forkert. +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Meddelelse om den e-mail, der er modtaget i tilfælde af automatisk registrering af en gæst +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Indholdet af den e-mail, der er modtaget, i tilfælde af automatisk registrering af en gæst +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=E-mail-skabelon, der skal bruges til at sende e-mail til et medlem på autosubscript for medlemmet +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=E-mail-skabelon, der skal bruges til at sende e-mail til et medlem ved medlemsvalidering +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=E-mail-skabelon, der skal bruges til at sende e-mail til et medlem ved ny abonnementsoptagelse +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=E-mail-skabelon, der skal bruges til at sende e-mail-påmindelse, når abonnementet er ved at udløbe +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=E-mail-skabelon, der skal bruges til at sende e-mail til et medlem ved annullering af medlemmer +DescADHERENT_MAIL_FROM=Afsender e-mail til automatiske e-mails DescADHERENT_ETIQUETTE_TYPE=Etiketter format DescADHERENT_ETIQUETTE_TEXT=Tekst udskrives på medlems adresseblade DescADHERENT_CARD_TYPE=Format af kort side @@ -157,8 +160,8 @@ DocForAllMembersCards=Generer visitkort til alle medlemmer DocForOneMemberCards=Generer visitkort for et bestemt medlem (Format for output faktisk setup: %s) DocForLabels=Generer adresse ark (Format for output faktisk setup: %s) SubscriptionPayment=Abonnement betaling -LastSubscriptionDate=Date of latest subscription payment -LastSubscriptionAmount=Amount of latest subscription +LastSubscriptionDate=Dato for seneste abonnementsbetaling +LastSubscriptionAmount=Mængde af seneste abonnement MembersStatisticsByCountries=Medlemmer statistik efter land MembersStatisticsByState=Medlemmer statistikker stat / provins MembersStatisticsByTown=Medlemmer statistikker byen @@ -172,7 +175,7 @@ MembersStatisticsDesc=Vælg statistikker, du ønsker at læse ... MenuMembersStats=Statistik LastMemberDate=Seneste medlem dato LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member +MemberNature=Medlemmernes art Public=Information er offentlige NewMemberbyWeb=Nyt medlem tilføjet. Afventer godkendelse NewMemberForm=Nyt medlem formular @@ -188,7 +191,7 @@ 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=No VAT for subscriptions +NoVatOnSubscription=Ingen moms for abonnementer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt anvendt til abonnementslinje i faktura: %s NameOrCompany=Navn eller firma SubscriptionRecorded=Abonnement registreret @@ -196,6 +199,6 @@ NoEmailSentToMember=Ingen email sendt til medlem EmailSentToMember=E-mail sendt til medlem på %s SendReminderForExpiredSubscriptionTitle=Send påmindelse via email for udløbet abonnement SendReminderForExpiredSubscription=Send påmindelse via e-mail til medlemmer, når abonnementet er ved at udløbe (parameter er antal dage før afslutningen af ​​abonnementet for at sende påmindelsen. Det kan være en liste over dage adskilt af et semikolon, for eksempel '10; 5; 0; -5 ') -MembershipPaid=Membership paid for current period (until %s) -YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email -XMembersClosed=%s member(s) closed +MembershipPaid=Medlemskab betalt for indeværende periode (indtil %s) +YouMayFindYourInvoiceInThisEmail=Du kan muligvis finde din faktura knyttet til denne e-mail +XMembersClosed=%s medlem(er) låst diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang index 22e7544086a..d576de3f2db 100644 --- a/htdocs/langs/da_DK/modulebuilder.lang +++ b/htdocs/langs/da_DK/modulebuilder.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. +ModuleBuilderDesc=Dette værktøj må kun bruges af erfarne brugere eller udviklere. Det giver værktøjer til at opbygge eller redigere dit eget modul. Dokumentation for alternativ manuel udvikling er her. EnterNameOfModuleDesc=Indtast navnet på modulet / programmet for at oprette uden mellemrum. Brug store bogstaver til at adskille ord (For eksempel: MyModule, EcommerceForShop, SyncWithMySystem ...) EnterNameOfObjectDesc=Indtast navnet på objektet, der skal oprettes uden mellemrum. Brug store bogstaver til at adskille ord (For eksempel: MyObject, Student, Lærer ...). CRUD-klassefilen, men også API-filen, vil der blive genereret sider til liste / tilføj / rediger / slet objekt og SQL-filer. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s +ModuleBuilderDesc2=Sti, hvor moduler genereres / redigeres (første bibliotek for eksterne moduler defineret i %s):%s ModuleBuilderDesc3=Genererede / redigerbare moduler fundet: %s ModuleBuilderDesc4=Et modul registreres som 'redigerbart', når filen %s findes i root af modulmappen NewModule=Nyt modul -NewObjectInModulebuilder=New object +NewObjectInModulebuilder=Nyt objekt ModuleKey=Modul nøgle ObjectKey=Objektnøgle ModuleInitialized=Modul initialiseret @@ -21,14 +21,14 @@ ModuleBuilderDesctriggers=Dette er udsigten til udløsere, der leveres af dit mo ModuleBuilderDeschooks=Denne fane er dedikeret til kroge. ModuleBuilderDescwidgets=Denne fane er dedikeret til at administrere / opbygge widgets. ModuleBuilderDescbuildpackage=Du kan generere her en "klar til at distribuere" pakkefil (en normaliseret .zip-fil) af dit modul og en "klar til at distribuere" dokumentationsfil. Bare klik på knappen for at opbygge pakken eller dokumentationsfilen. -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! +EnterNameOfModuleToDeleteDesc=Du kan slette dit modul. ADVARSEL: Alle kodning filer af modul (genereret eller oprettes manuelt) og strukturerede data og dokumentation vil blive slettet! +EnterNameOfObjectToDeleteDesc=Du kan slette et objekt. ADVARSEL: Alle kodningsfiler (genereret eller oprettet manuelt) relateret til objekt vil blive slettet! DangerZone=Farezone -BuildPackage=Build package -BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. +BuildPackage=Byg pakke +BuildPackageDesc=Du kan generere en zip-pakke med din applikation, så du er klar til at distribuere den på enhver Dolibarr. Du kan også distribuere det eller sælge det på markedet som DoliStore.com. BuildDocumentation=Byg dokumentation -ModuleIsNotActive=Dette modul er ikke aktiveret endnu. Gå til %s for at gøre det levende eller klik her: -ModuleIsLive=This module has been activated. Any change may break a current live feature. +ModuleIsNotActive=Dette modul er ikke aktiveret endnu. Gå til %s for at gøre det live, eller klik her +ModuleIsLive=Dette modul er aktiveret. Enhver ændring kan ødelægge en nuværende live-funktion. DescriptionLong=Lang beskrivelse EditorName=Redaktørens navn EditorUrl=URL til redaktør @@ -41,14 +41,14 @@ PageForAgendaTab=PHP side for fanen begivenhed PageForDocumentTab=PHP-side for dokumentfanen PageForNoteTab=PHP side til notatfane PathToModulePackage=Sti til zip af modul / applikationspakke -PathToModuleDocumentation=Path to file of module/application documentation (%s) +PathToModuleDocumentation=Sti til fil af modul / applikationsdokumentation (%s) SpaceOrSpecialCharAreNotAllowed=Mellemrum eller specialtegn er ikke tilladt. FileNotYetGenerated=Filen er endnu ikke genereret -RegenerateClassAndSql=Force update of .class and .sql files +RegenerateClassAndSql=Tving opdatering af .class og .sql filer RegenerateMissingFiles=Generer manglende filer -SpecificationFile=File of documentation +SpecificationFile=Dokumentationsfil LanguageFile=Fil til sprog -ObjectProperties=Object Properties +ObjectProperties=Objektegenskaber ConfirmDeleteProperty=Er du sikker på, at du vil slette ejendommen %s ? Dette vil ændre kode i PHP klasse, men også fjerne kolonne fra tabeldefinition af objekt. NotNull=Ikke NULL NotNullDesc=1 = Indstil database til IKKE NULL. -1 = Tillad null værdier og tving værdien til NULL, hvis tom ('' eller 0). @@ -60,17 +60,17 @@ HooksFile=Fil til kroge kode ArrayOfKeyValues=Array of key-val ArrayOfKeyValuesDesc=Array af nøgler og værdier, hvis feltet er en kombinationsliste med faste værdier WidgetFile=Widget-fil -CSSFile=CSS file -JSFile=Javascript file +CSSFile=CSS filer +JSFile=Javascript filer ReadmeFile=Readme-fil ChangeLog=ChangeLog-fil TestClassFile=Fil til PHP Unit Test klasse SqlFile=SQL-fil -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object +PageForLib=Fil til det fælles PHP-bibliotek +PageForObjLib=Fil til PHP-biblioteket dedikeret til objekt SqlFileExtraFields=SQL-fil for komplementære attributter SqlFileKey=Sql-fil for nøgler -SqlFileKeyExtraFields=Sql file for keys of complementary attributes +SqlFileKeyExtraFields=Sql fil til nøgler med komplementære attributter AnObjectAlreadyExistWithThisNameAndDiffCase=Der findes allerede et objekt med dette navn og en anden sag UseAsciiDocFormat=Du kan bruge Markdown-format, men det anbefales at bruge Asciidoc-format (omparison mellem .md og .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) IsAMeasure=Er en foranstaltning @@ -79,23 +79,23 @@ NoTrigger=Ingen udløser NoWidget=Ingen widget GoToApiExplorer=Gå til API Explorer ListOfMenusEntries=Liste over menupunkter -ListOfDictionariesEntries=List of dictionaries entries +ListOfDictionariesEntries=Liste over poster i ordbøger ListOfPermissionsDefined=Liste over definerede tilladelser SeeExamples=Se eksempler her EnabledDesc=Tilstand at have dette felt aktivt (Eksempler: 1 eller $ conf-> global-> MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 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 -DisplayOnPdf=Display on PDF +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 +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) SpecDefDesc=Indtast her alt dokumentation, du vil levere med dit modul, som ikke allerede er defineret af andre faner. Du kan bruge .md eller bedre den rige .asciidoc-syntaks. LanguageDefDesc=Indtast i denne fil, alle nøgler og oversættelsen for hver sprogfil. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Define here the new permissions provided by your module -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

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

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

Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. +MenusDefDesc=Her definerer menuerne fra dit modul +DictionariesDefDesc=Definer her ordbøgerne leveret af dit modul +PermissionsDefDesc=Definer her de nye tilladelser, der leveres af dit modul +MenusDefDescTooltip=Menuerne leveret af dit modul / din applikation defineres i arrayet $ this-> menuer i modulbeskrivelsesfilen. Du kan redigere denne fil manuelt eller bruge den integrerede editor.

Bemærk: Når den er defineret (og modulet er genaktiveret), er menuer også synlige i menueditoren, der er tilgængelig for administratorbrugere på%s. +DictionariesDefDescTooltip=Ordbøgerne leveret af dit modul / din applikation defineres i matrixen\n$ dette-> ordbøger i modulbeskrivelsesfilen. Du kan redigere manuelt denne fil eller bruge den integrerede editor.

Note: Når defineret (og modul re-aktiveret), ordbøger er også synlige i opsætningen område til administrator brugere på%s. +PermissionsDefDescTooltip=Tilladelserne fra din modul / ansøgning er defineret i array $ this-> rettigheder i modulet deskriptor fil. Du kan redigere manuelt denne fil eller bruge den integrerede editor.

Note: Når defineret (og modul re-aktiveret), tilladelser er synlige i standardtilladelser opsætning%s. HooksDefDesc=Definer i egenskaben module_parts ['hooks'] i modulbeskrivelsen den kontekst af kroge, du vil administrere (liste over sammenhænge kan findes ved en søgning på ' initHooks ( 'i kernekode).
Rediger krogfilen for at tilføje kode for dine hooked funktioner (hookable funktioner kan findes ved en søgning på' executeHooks 'i kernekode). TriggerDefDesc=Definer i udløseren filen den kode, du vil udføre for hver forretningsbegivenhed, der udføres. SeeIDsInUse=Se ID'er i brug i din installation @@ -112,30 +112,31 @@ InitStructureFromExistingTable=Byg strukturen array streng af en eksisterende ta UseAboutPage=Deaktiver den omkringliggende side UseDocFolder=Deaktiver dokumentationsmappen UseSpecificReadme=Brug en bestemt ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. +ContentOfREADMECustomized=Bemærk: Indholdet i README.md filen er blevet erstattet med det specifikke værdi defineres i opsætningen af ModuleBuilder. RealPathOfModule=Real vej af modul -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. -CLIFile=CLI File -NoCLIFile=No CLI files -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version -ModuleMustBeEnabled=The module/application must be enabled first -IncludeRefGeneration=The reference of object must be generated automatically -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. -ShowOnCombobox=Show value into combobox -KeyForTooltip=Key for tooltip +ContentCantBeEmpty=Indholdet af filen kan ikke være tom +WidgetDesc=Du kan generere og redigere her widgets, der vil blive indlejret med din modul. +CSSDesc=Du kan generere og redigere her en fil med personlig CSS indlejret med din modul. +JSDesc=Du kan her generere og redigere en fil med personaliseret Javascript integreret med dit modul. +CLIDesc=Du kan her generere nogle kommando linje skripter, du vil levere med dit modul. +CLIFile=CLI fil +NoCLIFile=Ingen CLI filer +UseSpecificEditorName = Brug et specifikt editor navn +UseSpecificEditorURL = Brug en bestemt editor webadresse +UseSpecificFamily = Brug en bestemt familie +UseSpecificAuthor = Brug en bestemt forfatter +UseSpecificVersion = Brug en bestemt initial version +ModuleMustBeEnabled=Modulet / applikationen skal være aktiveret først +IncludeRefGeneration=Reference til objekt skal genereres automatisk +IncludeRefGenerationHelp=Kontroller dette, hvis du vil inkludere kode til at styre genereringen af referencen automatisk +IncludeDocGeneration=Jeg vil generere nogle dokumenter fra objektet +IncludeDocGenerationHelp=Hvis du markerer dette, vil nogle koder genereres for at tilføje en kasse "Generer dokument" på posten. +ShowOnCombobox=Vis værdi til combobox +KeyForTooltip=Nøgle til værktøjstip CSSClass=CSS Class -NotEditable=Not editable -ForeignKey=Foreign key -TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) -AsciiToHtmlConverter=Ascii to HTML converter -AsciiToPdfConverter=Ascii to PDF converter +NotEditable=Ikke redigerbar +ForeignKey=Fremmed nøgle +TypeOfFieldsHelp=Felttype:
varchar (99), dobbelt (24,8), reel, tekst, html, datetime, tidsstempel, heltal, heltal: ClassName: relative path / to / classfile.class.php [: 1 [: filter]] ( '1' betyder, at vi tilføjer en + knap efter kombinationsboksen for at oprette posten, 'filter' kan være 'status = 1 OG fk_user = __USER_ID OG enhed IN (__SHARED_ENTITIES__)' for eksempel) +AsciiToHtmlConverter=Ascii til HTML-konverter +AsciiToPdfConverter=Ascii til PDF konverter +TableNotEmptyDropCanceled=Tabellen er ikke tom. Drop er annulleret. diff --git a/htdocs/langs/da_DK/mrp.lang b/htdocs/langs/da_DK/mrp.lang index c8be3767d9b..fb16840d5aa 100644 --- a/htdocs/langs/da_DK/mrp.lang +++ b/htdocs/langs/da_DK/mrp.lang @@ -1,6 +1,6 @@ Mrp=Fremstillingsordrer MO=Fremstillingsordre -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Modul til styring af produktions- og produktionsordrer (MO). MRPArea=MRP-område MrpSetupPage=Opsætning af modul MRP MenuBOM=Stofregninger @@ -24,9 +24,9 @@ WatermarkOnDraftMOs=Vandmærke ved udkast til MO ConfirmCloneBillOfMaterials=Er du sikker på, at du vil klone regningen med materiale %s? ConfirmCloneMo=Er du sikker på, at du vil klone produktionsordren %s? ManufacturingEfficiency=Fremstillingseffektivitet -ConsumptionEfficiency=Consumption efficiency +ConsumptionEfficiency=Forbrugseffektivitet ValueOfMeansLoss=Værdi på 0,95 betyder et gennemsnit på 5%% tab under produktionen -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ValueOfMeansLossForProductProduced=Værdi på 0,95 betyder et gennemsnit på 5%% tab af produceret produkt DeleteBillOfMaterials=Slet regning af materialer DeleteMo=Slet produktionsordre ConfirmDeleteBillOfMaterials=Er du sikker på, at du vil slette denne Bill of Material? @@ -56,11 +56,12 @@ ToConsume=At indtage ToProduce=At producere QtyAlreadyConsumed=Antal allerede forbrugt QtyAlreadyProduced=Antal allerede produceret +QtyRequiredIfNoLoss=Antal krævet, hvis der ikke er noget tab (Produktionseffektivitet er 100%%) ConsumeOrProduce=Forbruge eller fremstille ConsumeAndProduceAll=Forbruge og fremstille alt Manufactured=fremstillet TheProductXIsAlreadyTheProductToProduce=Produktet, der skal tilføjes, er allerede det produkt, der skal produceres. -ForAQuantityOf1=For en mængde at fremstille på 1 +ForAQuantityOf=For en mængde til at fremstille af%s ConfirmValidateMo=Er du sikker på, at du vil validere denne produktionsordre? ConfirmProductionDesc=Ved at klikke på '%s', validerer du forbrug og / eller produktion for de angivne mængder. Dette vil også opdatere lagerbeholdningen og registrere bestandsbevægelser. ProductionForRef=Produktion af %s @@ -68,6 +69,9 @@ AutoCloseMO=Luk automatisk fabrikationsordren, hvis der er nået mængder, der s NoStockChangeOnServices=Ingen lagerændring på tjenester ProductQtyToConsumeByMO=Produktmængde, der stadig skal forbruges af åben MO ProductQtyToProduceByMO=Produktmængde, der stadig skal produceres af åben MO -AddNewConsumeLines=Add new line to consume -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce +AddNewConsumeLines=Tilføj ny linje til at forbruge +ProductsToConsume=Produkter til at forbruge +ProductsToProduce=Produkter til at producere +UnitCost=Enhedspris +TotalCost=Udgifter i alt +BOMTotalCost=Omkostningerne til at fremstille denne BOM baseret på prisen for hver mængde og produkt, der skal forbruges (brug Prisen, hvis defineret, ellers Gennemsnit Vægtet pris, hvis defineret, ellers den bedste købspris) diff --git a/htdocs/langs/da_DK/multicurrency.lang b/htdocs/langs/da_DK/multicurrency.lang index 8cc30637a10..bfb8a0d8064 100644 --- a/htdocs/langs/da_DK/multicurrency.lang +++ b/htdocs/langs/da_DK/multicurrency.lang @@ -7,10 +7,10 @@ multicurrency_syncronize_error=Synkroniseringsfejl: %s MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Brug datoen for dokumentet til at finde valutakursen i stedet for at bruge den senest kendte sats multicurrency_useOriginTx=Når et objekt er oprettet fra et andet, skal du holde den oprindelige sats fra kildeobjektet (ellers bruge den senest kendte sats) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You must create an account on website %s to use this functionality.
Get your API key.
If you use a free account, you can't change the source currency (USD by default).
If your main currency is not USD, the application will automatically recalculate it.

You are limited to 1000 synchronizations per month. +CurrencyLayerAccount_help_to_synchronize=Du skal oprette en konto på webstedet %s for at bruge denne funktionalitet.
Få din API-nøgle.
Hvis du bruger en gratis konto, kan du ikke ændre kildevalutaen (USD som standard).
Hvis din hovedvaluta ikke er USD, vil applikationen automatisk genberegn det.

Du er begrænset til 1000 synkroniseringer om måneden. multicurrency_appId=API-nøgle -multicurrency_appCurrencySource=Source currency -multicurrency_alternateCurrencySource=Alternate source currency +multicurrency_appCurrencySource=Valuta kilde +multicurrency_alternateCurrencySource=Alternativ valuta kilde CurrenciesUsed=Brugte valutaer CurrenciesUsed_help_to_add=Tilføj de forskellige valutaer og satser, du skal bruge på dine forslag , ordrer osv. rate=sats @@ -18,5 +18,5 @@ MulticurrencyReceived=Modtaget, original valuta MulticurrencyRemainderToTake=Resterende beløb, original valuta MulticurrencyPaymentAmount=Betalingsbeløb, oprindelig valuta AmountToOthercurrency=Beløb til (i valuta for modtagende konto) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +CurrencyRateSyncSucceed=Valutakurssynkronisering udført med succes +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Brug dokumentets valuta til onlinebetalinger diff --git a/htdocs/langs/da_DK/oauth.lang b/htdocs/langs/da_DK/oauth.lang index 1ade847c32d..82428adb10f 100644 --- a/htdocs/langs/da_DK/oauth.lang +++ b/htdocs/langs/da_DK/oauth.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=OAuth Configuration +ConfigOAuth=OAuth konfiguration OAuthServices=OAuth Services ManualTokenGeneration=Manuel token generation TokenManager=Token Manager @@ -11,8 +11,8 @@ ToCheckDeleteTokenOnProvider=Klik her for at kontrollere / slette autorisation g TokenDeleted=Token slettet RequestAccess=Klik her for at anmode om / forny adgang og modtage et nyt token for at gemme DeleteAccess=Klik her for at slette token -UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider: -ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. +UseTheFollowingUrlAsRedirectURI=Brug følgende URL som omdirigerings-URI, når du opretter dine legitimationsoplysninger hos din OAuth-udbyder: +ListOfSupportedOauthProviders=Indtast legitimationsoplysninger leveret af din OAuth2-udbyder. Kun understøttede OAuth2-udbydere er listet her. Disse tjenester kan bruges af andre moduler, der har brug for OAuth2-godkendelse. OAuthSetupForLogin=Side for at generere et OAuth-token SeePreviousTab=Se tidligere faneblad OAuthIDSecret=OAuth ID og Secret @@ -23,10 +23,10 @@ TOKEN_DELETE=Slet gemt token OAUTH_GOOGLE_NAME=OAuth Google service OAUTH_GOOGLE_ID=OAuth Google Id OAUTH_GOOGLE_SECRET=OAuth Google Secret -OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials +OAUTH_GOOGLE_DESC=Gå til denne side og derefter "Credentials" for at oprette OAuth-legitimationsoplysninger OAUTH_GITHUB_NAME=OAuth GitHub service OAUTH_GITHUB_ID=OAuth GitHub Id OAUTH_GITHUB_SECRET=OAuth GitHub Secret -OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials +OAUTH_GITHUB_DESC=Gå til denne side og derefter "Registrer en ny applikation" for at oprette OAuth-legitimationsoplysninger OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live diff --git a/htdocs/langs/da_DK/orders.lang b/htdocs/langs/da_DK/orders.lang index f06f0d0ca92..42464a28ed3 100644 --- a/htdocs/langs/da_DK/orders.lang +++ b/htdocs/langs/da_DK/orders.lang @@ -11,23 +11,23 @@ OrderDate=Ordredato OrderDateShort=Bestil dato OrderToProcess=Ordre at behandle NewOrder=Ny ordre -NewOrderSupplier=New Purchase Order +NewOrderSupplier=Ny indkøbsordre ToOrder=Lav ordre MakeOrder=Lav ordre SupplierOrder=Indkøbsordre SuppliersOrders=Indkøbsordre SuppliersOrdersRunning=Nuværende indkøbsordrer -CustomerOrder=Sales Order +CustomerOrder=Salgsordre CustomersOrders=Salgsordrer -CustomersOrdersRunning=Current sales orders -CustomersOrdersAndOrdersLines=Sales orders and order details -OrdersDeliveredToBill=Sales orders delivered to bill -OrdersToBill=Sales orders delivered -OrdersInProcess=Sales orders in process -OrdersToProcess=Sales orders to process +CustomersOrdersRunning=Nuværende salgsordrer +CustomersOrdersAndOrdersLines=Salgsordrer og ordredetaljer +OrdersDeliveredToBill=Salgsordrer leveret til faktura +OrdersToBill=Salgsordrer leveret +OrdersInProcess=Salgsordrer i gang +OrdersToProcess=Salgsordrer, der skal behandles SuppliersOrdersToProcess=Indkøbsordrer til behandling -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception +SuppliersOrdersAwaitingReception=Køb ordrer, der afventer modtagelse +AwaitingReception=Venter på modtagelse StatusOrderCanceledShort=Annulleret StatusOrderDraftShort=Udkast StatusOrderValidatedShort=Godkendt @@ -69,17 +69,17 @@ ValidateOrder=Bekræft orden UnvalidateOrder=Unvalidate rækkefølge DeleteOrder=Slet orden CancelOrder=Annuller ordre -OrderReopened= Order %s re-open +OrderReopened= Bestil %s genåbne AddOrder=Opret ordre -AddPurchaseOrder=Create purchase order +AddPurchaseOrder=Opret indkøbsordre AddToDraftOrders=Tilføj til udkast til ordre ShowOrder=Vis for OrdersOpened=Bestiller at behandle NoDraftOrders=Intet udkast til ordrer NoOrder=Ingen ordre NoSupplierOrder=Ingen indkøbsordre -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders +LastOrders=Seneste %s salgsordrer +LastCustomerOrders=Seneste %s salgsordrer LastSupplierOrders=Seneste %s indkøbsordrer LastModifiedOrders=Seneste %s ændrede ordrer AllOrders=Alle ordrer @@ -87,7 +87,7 @@ NbOfOrders=Antal ordrer OrdersStatistics=Orders »statistik OrdersStatisticsSuppliers=Indkøbsordrestatistik NumberOfOrdersByMonth=Antallet af ordrer efter måned -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) +AmountOfOrdersByMonthHT=Mængden af ordrer efter måned (ekskl. Moms) ListOfOrders=Liste af ordrer CloseOrder=Luk for ConfirmCloseOrder=Er du sikker på, at du vil indstille denne ordre til levering? Når en ordre er leveret, kan den indstilles til fakturering. @@ -113,7 +113,7 @@ AuthorRequest=Anmodning forfatter UserWithApproveOrderGrant=Useres ydes med "godkende ordrer" tilladelse. PaymentOrderRef=Betaling af for %s ConfirmCloneOrder=Er du sikker på, at du vil klone denne ordre %s ? -DispatchSupplierOrder=Receiving purchase order %s +DispatchSupplierOrder=Modtagelse af indkøbsordre%s FirstApprovalAlreadyDone=Første godkendelse allerede udført SecondApprovalAlreadyDone=Anden godkendelse allerede udført SupplierOrderReceivedInDolibarr=Indkøbsordre %s modtaget %s @@ -121,7 +121,7 @@ SupplierOrderSubmitedInDolibarr=Indkøbsordre %s indsendt SupplierOrderClassifiedBilled=Indkøbsordre %s er faktureret OtherOrders=Andre ordrer ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order +TypeContact_commande_internal_SALESREPFOLL=Repræsentative opfølgning salgsordre TypeContact_commande_internal_SHIPPING=Repræsentant opfølgning shipping TypeContact_commande_external_BILLING=Kundefaktura kontakt TypeContact_commande_external_SHIPPING=Kunde shipping kontakt @@ -141,11 +141,12 @@ OrderByEMail=EMail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=A complete order model -PDFEratostheneDescription=A complete order model +PDFEinsteinDescription=En komplet ordremodel (gammel implementering af Eratosthene-skabelon) +PDFEratostheneDescription=En komplet ordremodel PDFEdisonDescription=En simpel orden model -PDFProformaDescription=A complete Proforma invoice template +PDFProformaDescription=En komplet Proforma-fakturaskabelon CreateInvoiceForThisCustomer=Bill ordrer +CreateInvoiceForThisSupplier=Fakturer ordrer NoOrdersToInvoice=Ingen ordrer faktureres CloseProcessedOrdersAutomatically=Klassificer "Behandlet" alle valgte ordrer. OrderCreation=Ordreoprettelse @@ -154,11 +155,11 @@ OrderCreated=Dine ordrer er blevet oprettet OrderFail=Der opstod en fejl under ordren oprettelse CreateOrders=Opret ordrer ToBillSeveralOrderSelectCustomer=For at oprette en faktura for flere ordrer, klik først på kunden, og vælg derefter "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. +OptionToSetOrderBilledNotEnabled=Indstilling fra modul Arbejdsgang til at indstille ordre til 'Faktureret' automatisk, når faktura er valideret, er ikke aktiveret, så du bliver nødt til at indstille status for ordrer til 'Faktureret' manuelt efter at fakturaen er blevet genereret. IfValidateInvoiceIsNoOrderStayUnbilled=Hvis faktura bekræftelse er 'Nej', forbliver ordren til status 'Unbilled' indtil fakturaen er bekræftet. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Luk ordren for status "%s" automatisk, hvis alle produkter modtages. SetShippingMode=Indstil shipping mode -WithReceptionFinished=With reception finished +WithReceptionFinished=Med modtagelsen færdig #### supplier orders status StatusSupplierOrderCanceledShort=Aflyst StatusSupplierOrderDraftShort=Udkast til diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index 47fee11ebee..d4108e1bf13 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -6,7 +6,7 @@ TMenuTools=Værktøjer ToolsDesc=Alle værktøjer, der ikke er inkluderet i andre menupunkter, er grupperet her.
Alle værktøjerne er tilgængelige via menuen til venstre. Birthday=Fødselsdag BirthdayDate=Fødselsdato -DateToBirth=Birth date +DateToBirth=Fødselsdato BirthdayAlertOn=fødselsdag alarm aktive BirthdayAlertOff=fødselsdag alarm inaktive TransKey=Oversættelse af nøgle TransKey @@ -20,27 +20,27 @@ ZipFileGeneratedInto=Zip-fil genereret til %s . DocFileGeneratedInto=Doc-fil genereret til %s . JumpToLogin=Afbrudt. Gå til login side ... MessageForm=Besked på online betalingsformular -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment +MessageOK=Besked på retursiden for en valideret betaling +MessageKO=Besked på retursiden for en annulleret betaling ContentOfDirectoryIsNotEmpty=Indholdet af denne mappe er ikke tomt. DeleteAlsoContentRecursively=Check for at slette alt indhold rekursivt -PoweredBy=Powered by +PoweredBy=Drevet af YearOfInvoice=År for faktura dato PreviousYearOfInvoice=Tidligere års faktura dato NextYearOfInvoice=Følgende års faktura dato DateNextInvoiceBeforeGen=Dato for næste faktura (før generation) DateNextInvoiceAfterGen=Dato for næste faktura (efter generation) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused +GraphInBarsAreLimitedToNMeasures=Grafik er begrænset til %s foranstaltninger i 'Bars' mode. Tilstanden "Lines blev automatisk valgt i stedet. +OnlyOneFieldForXAxisIsPossible=Kun 1 felt er i øjeblikket muligt som X-Axis. Kun det første valgte felt er valgt. +AtLeastOneMeasureIsRequired=Mindst 1 felt til mål er påkrævet +AtLeastOneXAxisIsRequired=Mindst 1 felt til X-Axis kræves +LatestBlogPosts=Seneste blogindlæg +Notify_ORDER_VALIDATE=Salgsordre godkendt +Notify_ORDER_SENTBYMAIL=Salgsordre sendes med posten +Notify_ORDER_SUPPLIER_SENTBYMAIL=Indkøbsordre sendt via e-mail +Notify_ORDER_SUPPLIER_VALIDATE=Indkøbsordre registreret +Notify_ORDER_SUPPLIER_APPROVE=Indkøbsordre godkendt +Notify_ORDER_SUPPLIER_REFUSE=Indkøbsordre afvist Notify_PROPAL_VALIDATE=Tilbud godkendt Notify_PROPAL_CLOSE_SIGNED=Kundeforslag er lukket underskrevet Notify_PROPAL_CLOSE_REFUSED=Kundeforslag afsluttet afslået @@ -55,10 +55,10 @@ Notify_BILL_UNVALIDATE=Kundefaktura ugyldiggjort Notify_BILL_PAYED=Kundefaktura udbetalt Notify_BILL_CANCEL=Kundefaktura aflyst Notify_BILL_SENTBYMAIL=Kundens faktura sendes med posten -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled +Notify_BILL_SUPPLIER_VALIDATE=Leverandør faktura valideret +Notify_BILL_SUPPLIER_PAYED=Sælgerfaktura betalt +Notify_BILL_SUPPLIER_SENTBYMAIL=Leverandørfaktura sendt med posten +Notify_BILL_SUPPLIER_CANCELED=Leverandør faktura annulleret Notify_CONTRACT_VALIDATE=Kontrakt bekræftet Notify_FICHINTER_VALIDATE=Intervention bekræftet Notify_FICHINTER_ADD_CONTACT=Tilføjet kontakt til intervention @@ -74,10 +74,10 @@ Notify_PROJECT_CREATE=Projektoprettelse Notify_TASK_CREATE=Opgave oprettet Notify_TASK_MODIFY=Opgave ændret Notify_TASK_DELETE=Opgave slettet -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved +Notify_EXPENSE_REPORT_VALIDATE=Udgiftsrapport valideret (godkendelse krævet) +Notify_EXPENSE_REPORT_APPROVE=Udgiftsrapport godkendt +Notify_HOLIDAY_VALIDATE=Anmodning om tilladelse er godkendt (godkendelse kræves) +Notify_HOLIDAY_APPROVE=Anmodning om tilladelse godkendt SeeModuleSetup=Se opsætning af modul %s NbOfAttachedFiles=Antal vedhæftede filer / dokumenter TotalSizeOfAttachedFiles=Samlede størrelse på vedhæftede filer / dokumenter @@ -85,18 +85,18 @@ MaxSize=Maksimumstørrelse AttachANewFile=Vedhæfte en ny fil / dokument LinkedObject=Linket objekt NbOfActiveNotifications=Antal meddelelser (nr. Modtagers e-mails) -PredefinedMailTest=__(Hej)__\nDette er en testpost sendt til __EMAIL__.\nDe to linjer er adskilt af en vognretur.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hej)__\nDette er en test mail (ordtesten skal være fed skrift). De to linjer er adskilt af en vognretur.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nDette er en testmail sendt til __EMAIL__.\nLinjerne adskilles af en vognretur.\n\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
Dette er en test mail sendt til __EMAIL__ (ordtesten skal være med fed skrift).
Linjerne adskilles af en vognretur .\n

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nFind fakturaen __REF__ vedhæftet\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nVi vil gerne minde dig om, at fakturaen __REF__ ikke synes at være betalt. En kopi af fakturaen er vedhæftet som en påmindelse.\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hello)__\n\nFind Tilbuds forslag __REF__ vedlagt \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nVenligst find pris forespørgsel __REF__ vedlagt\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(Hello)__\n\nVenligst find ordre __REF__ vedhæftet\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nDu kan finde vores ordre __REF__ vedhæftet\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nVedlagt faktura __REF__ vedhæftet\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hello)__\n\nFind forsendelse __REF__ vedhæftet\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(Hello)__\n\nFind intervention __REF__ vedhæftet\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentContact=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ @@ -108,8 +108,8 @@ DemoFundation=Administrer medlemmer af en fond DemoFundation2=Administrer medlemmer og bankkonto i en fond DemoCompanyServiceOnly=Kun firma eller freelance-salgstjeneste DemoCompanyShopWithCashDesk=Administrer en butik med et kontant desk -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products +DemoCompanyProductAndStocks=Shop med at sælge produkter med Point Of Sales +DemoCompanyManufacturing=Virksomhed fremstiller produkter DemoCompanyAll=Virksomhed med flere aktiviteter (alle hovedmoduler) CreatedBy=Oprettet af %s ModifiedBy=Modificeret af %s @@ -184,38 +184,38 @@ DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=Statistikker for summen af ​​produkter / tjenester StatsByNumberOfEntities=Statistik i antal henvisende enheder (faktura nummer, eller rækkefølge ...) NumberOfProposals=Antal forslag -NumberOfCustomerOrders=Number of sales orders +NumberOfCustomerOrders=Antal salgsordrer NumberOfCustomerInvoices=Antal kundefakturaer -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfMos=Number of manufacturing orders +NumberOfSupplierProposals=Antal leverandørforslag +NumberOfSupplierOrders=Antal indkøbsordrer +NumberOfSupplierInvoices=Antal leverandørfakturaer +NumberOfContracts=Antal kontrakter +NumberOfMos=Antal produktionsordrer NumberOfUnitsProposals=Antal enheder på forslag -NumberOfUnitsCustomerOrders=Number of units on sales orders +NumberOfUnitsCustomerOrders=Antal enheder på salgsordrer NumberOfUnitsCustomerInvoices=Antal enheder på kundefakturaer -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsSupplierProposals=Antal enheder på leverandørforslag +NumberOfUnitsSupplierOrders=Antal enheder på indkøbsordrer +NumberOfUnitsSupplierInvoices=Antal enheder på leverandørfakturaer +NumberOfUnitsContracts=Antal enheder på kontrakter +NumberOfUnitsMos=Antal enheder, der skal produceres i produktionsordrer EMailTextInterventionAddedContact=En ny intervention %s er blevet tildelt dig. EMailTextInterventionValidated=Intervention %s bekræftet -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. +EMailTextInvoiceValidated=Fakturaen %s er godkendt. +EMailTextInvoicePayed=Faktura %s er blevet betalt. +EMailTextProposalValidated=Tilbud %s er godkendt. +EMailTextProposalClosedSigned=Tilbud %s er afsluttet og underskrevet. +EMailTextOrderValidated=Bestillingen %s er godkendt. +EMailTextOrderApproved=Ordren %s er godkendt. +EMailTextOrderValidatedBy=Orden %s er indskrevet af%s. +EMailTextOrderApprovedBy=Orden %s er godkendt af%s. +EMailTextOrderRefused=Ordren %s er blevet afvist. +EMailTextOrderRefusedBy=Orden %s er blevet afvist af %s. +EMailTextExpeditionValidated=Forsendelse %s er godkendt. +EMailTextExpenseReportValidated=Udgiftsrapport %s er godkendt. +EMailTextExpenseReportApproved=Udgiftsrapport %s er godkendt. +EMailTextHolidayValidated=Anmodning om orlov/ferie %s er godkendt. +EMailTextHolidayApproved=Anmodning om ferie %s er godkendt. ImportedWithSet=Indførsel datasæt DolibarrNotification=Automatisk anmeldelse ResizeDesc=Indtast nye bredde OR ny højde. Ratio vil blive holdt i resizing ... @@ -255,11 +255,11 @@ YourPasswordHasBeenReset=Dit kodeord er nulstillet ApplicantIpAddress=Ansøgerens IP-adresse SMSSentTo=SMS sendt til %s MissingIds=Mangler ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
Use a space to enter different ranges.
Example: 8-12 14-18 +ThirdPartyCreatedByEmailCollector=Tredjepart oprettet af e-mail samler fra e-mail MSGID %s +ContactCreatedByEmailCollector=Kontakt / adresse skabt via e-mail indsamler fra mail MSGID %s +ProjectCreatedByEmailCollector=Projekt skabt via e-mail indsamler fra mail MSGID %s +TicketCreatedByEmailCollector=Billet skabt via e-mail indsamler fra mail MSGID %s +OpeningHoursFormatDesc=Brug et - til separat åbning og lukning timer.
brug en mellemrum"Space" til at indtaste forskellige område.
Eksempel: 8-12 14-18 ##### Export ##### ExportsArea=Eksport område @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=URL til side WEBSITE_TITLE=Titel WEBSITE_DESCRIPTION=Beskrivelse WEBSITE_IMAGE=Billede -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Relativ sti for billedmediet. Du kan holde dette tomt, da dette sjældent bruges (det kan bruges af dynamisk indhold til at vise et miniaturebillede på en liste over blogindlæg). Brug __WEBSITE_KEY__ i stien, hvis stien afhænger af webstedets navn (for eksempel: image / __ WEBSITE_KEY __ / stories / myimage.png). WEBSITE_KEYWORDS=nøgleord LinesToImport=Linjer at importere -MemoryUsage=Memory usage -RequestDuration=Duration of request -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +MemoryUsage=Brug af hukommelse +RequestDuration=Anmodningens varighed +PopuProp=Produkter/tjenester efter popularitet i forslag +PopuCom=Produkter/tjenester efter popularitet i ordrer +ProductStatistics=Produkter / services statistik +NbOfQtyInOrders=Antal i ordrer diff --git a/htdocs/langs/da_DK/paybox.lang b/htdocs/langs/da_DK/paybox.lang index 3031d6ce312..6d2fff70246 100644 --- a/htdocs/langs/da_DK/paybox.lang +++ b/htdocs/langs/da_DK/paybox.lang @@ -10,7 +10,7 @@ ToComplete=For at fuldføre YourEMail=E-mail til bekræftelse af betaling, Creditor=Kreditor PaymentCode=Betaling kode -PayBoxDoPayment=Pay with Paybox +PayBoxDoPayment=Betal med Paybox YouWillBeRedirectedOnPayBox=Du bliver omdirigeret om sikret Paybox siden til input du kreditkort informationer Continue=Næste SetupPayBoxToHavePaymentCreatedAutomatically=Opsæt din Paybox med url %s for at få betaling oprettet automatisk, når den er godkendt af Paybox. @@ -24,8 +24,8 @@ VendorName=Navn på leverandør CSSUrlForPaymentForm=CSS stylesheet url til indbetalingskort NewPayboxPaymentReceived=Ny Paybox modtaget NewPayboxPaymentFailed=Ny Paybox betaling forsøgt men mislykkedes -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) +PAYBOX_PAYONLINE_SENDEMAIL=E-mail-meddelelse efter betalingsforsøg (succes eller fiasko) PAYBOX_PBX_SITE=Værdi for PBX SITE PAYBOX_PBX_RANG=Værdi for PBX Rang PAYBOX_PBX_IDENTIFIANT=Værdi for PBX ID -PAYBOX_HMAC_KEY=HMAC key +PAYBOX_HMAC_KEY=HMAC-nøgle diff --git a/htdocs/langs/da_DK/paypal.lang b/htdocs/langs/da_DK/paypal.lang index 86b6debc788..05951b1aabc 100644 --- a/htdocs/langs/da_DK/paypal.lang +++ b/htdocs/langs/da_DK/paypal.lang @@ -1,22 +1,22 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=PayPal-modul opsætning -PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal) +PaypalDesc=Dette modul tillader betaling med kunder via PayPal. Dette kan bruges til en ad hoc-betaling eller en betaling relateret til en Dolibarr objekt (faktura, ordre, ...) +PaypalOrCBDoPayment=Betal med PayPal (kort eller PayPal) PaypalDoPayment=Betal med PayPal PAYPAL_API_SANDBOX=Mode test / sandkasse PAYPAL_API_USER=API brugernavn PAYPAL_API_PASSWORD=API kodeord PAYPAL_API_SIGNATURE=API signatur PAYPAL_SSLVERSION=Curl SSL Version -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Tilbyd kun "integreret" betaling (kreditkort + PayPal) eller kun "PayPal" PaypalModeIntegral=Integral PaypalModeOnlyPaypal=Kun PayPal ONLINE_PAYMENT_CSS_URL=Valgfri URL til CSS stilark på online betalingsside ThisIsTransactionId=Dette er id af transaktionen: %s -PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email +PAYPAL_ADD_PAYMENT_URL=Medtag PayPal betalings url'en, når du sender et dokument via e-mail NewOnlinePaymentReceived=Ny online betaling modtaget NewOnlinePaymentFailed=Ny online betaling forsøgt men mislykkedes -ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail) +ONLINE_PAYMENT_SENDEMAIL=E-mail-adresse til underretninger efter hvert betalingsforsøg (for succes og fiasko) ReturnURLAfterPayment=Returadresse efter betaling ValidationOfOnlinePaymentFailed=Bekræftelse af online betaling mislykkedes PaymentSystemConfirmPaymentPageWasCalledButFailed=Betalingsbekræftelsessiden blev kaldt af betalings system returnerede en fejl @@ -27,10 +27,10 @@ ShortErrorMessage=Kort fejlmeddelelse ErrorCode=Fejlkode ErrorSeverityCode=Fejl Severity Code OnlinePaymentSystem=Online betalings system -PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode) +PaypalLiveEnabled=PayPal "live" -tilstand aktiveret (ellers test/sandkasse tilstand) PaypalImportPayment=Importer PayPal-betalinger PostActionAfterPayment=Indsend handlinger efter betalinger ARollbackWasPerformedOnPostActions=En tilbagekaldelse blev udført på alle posthandlinger. Du skal færdiggøre posthandlinger manuelt, hvis de er nødvendige. ValidationOfPaymentFailed=Bekræftelse af betaling er mislykket -CardOwner=Card holder -PayPalBalance=Paypal credit +CardOwner=Kortholder +PayPalBalance=Paypal kredit diff --git a/htdocs/langs/da_DK/productbatch.lang b/htdocs/langs/da_DK/productbatch.lang index c32382f6f49..2544d59d7fc 100644 --- a/htdocs/langs/da_DK/productbatch.lang +++ b/htdocs/langs/da_DK/productbatch.lang @@ -1,24 +1,24 @@ # ProductBATCH language file - en_US - ProductBATCH -ManageLotSerial=Brug parti / serienummer -ProductStatusOnBatch=Ja (parti/serienr. påkrævet) -ProductStatusNotOnBatch=Nej (parti/serienr. ikke brugt) +ManageLotSerial=Brug parti serie / serienummer +ProductStatusOnBatch=Ja (parti serie/serienr. påkrævet) +ProductStatusNotOnBatch=Nej (parti serie/serienr. ikke brugt) ProductStatusOnBatchShort=Ja ProductStatusNotOnBatchShort=Nej -Batch=Parti / Serienr. -atleast1batchfield=Pluk dato eller Salgs dato eller Volume / Serienummer -batch_number=Parti / serienummer -BatchNumberShort=Parti / Seriel +Batch=Parti serie / Serienr. +atleast1batchfield=Pluk dato eller Salgs dato eller Parti serie / Serienummer +batch_number=Parti serie/Serienummer +BatchNumberShort=PartiSerie/Seriel EatByDate=Pluk dato SellByDate=Sidste salgs dato -DetailBatchNumber=Parti / Serienr. detaljer -printBatch=Parti / Serienr: %s +DetailBatchNumber=Parti serie/Serienr. detaljer +printBatch=Parti serie / Serienr: %s printEatby=Pluk: %s printSellby=Solgt af: %s printQty=Antal: %d AddDispatchBatchLine=Tilføj en linje for lager holdbarhed -WhenProductBatchModuleOnOptionAreForced=Når modulet Lot/Serial er aktiveret, tvunget automatisk lagernedgang til at 'Reducere rigtige lagre ved forsendelse validering' og automatisk stigningstilstand er tvunget til at "Øge ægte lagre ved manuel afsendelse til lager" og kan ikke redigeres. Andre muligheder kan defineres som ønsket. -ProductDoesNotUseBatchSerial=Dette produkt bruger ikke parti / serienummer -ProductLotSetup=Opsætning af modul parti / serie -ShowCurrentStockOfLot=Vis nuværende lager for par produkt / parti -ShowLogOfMovementIfLot=Vis log af bevægelser for par produkt / parti -StockDetailPerBatch=Lager detaljer pr. Parti +WhenProductBatchModuleOnOptionAreForced=Når modulet PartiSerie/SerieNr. er aktiveret, tvunget automatisk lagernedgang til at 'Reducere rigtige lagre når forsendelse bekræftelse' og automatisk stigningstilstand er tvunget til at "Øge ægte lagre ved manuel afsendelse til lager" og kan ikke redigeres. Andre muligheder kan defineres som ønsket. +ProductDoesNotUseBatchSerial=Dette produkt bruger ikke parti Serie / serienummer +ProductLotSetup=Opsætning af modul partiSerie / serieNr +ShowCurrentStockOfLot=Vis nuværende lager for par produkt / partiSerie +ShowLogOfMovementIfLot=Vis log af bevægelser for par produkt / partiSerie +StockDetailPerBatch=Lager detaljer pr. Parti Serie diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index d6fc860186e..91863253ba2 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Dette værktøj opdaterer momssatsen, der er defineret MassBarcodeInit=Mass barcode init MassBarcodeInitDesc=Denne side kan bruges til at initialisere en stregkode på objekter, der ikke har stregkode defineret. Kontroller, inden opsætningen af ​​modulets stregkode er afsluttet. ProductAccountancyBuyCode=Regnskabskode (køb) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Regnskab kode (køb intra-samfund) +ProductAccountancyBuyExportCode=Regnskabskode (købimport) ProductAccountancySellCode=Regnskabskode (salg) ProductAccountancySellIntraCode=Regnskabskode (salg inden for Fællesskabet) ProductAccountancySellExportCode=Regnskabskode (salg eksport) @@ -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 modificerede produkter / ydelser +LastModifiedProductsAndServices=Seneste %s ændrede produkter / tjenester LastRecordedProducts=Seneste %s registrerede varer LastRecordedServices=Seneste %s registrerede ydelser CardProduct0=Vare @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (ikke synlig på fakturaer, tilbud ...) ServiceLimitedDuration=Hvis varen er en ydelse med begrænset varighed: MultiPricesAbility=Flere prissegmenter pr. Produkt / service (hver kunde er i et prissegment) MultiPricesNumPrices=Antal priser +DefaultPriceType=Prisgrundlag pr. Standard (med eller uden skat) ved tilføjelse af nye salgspriser AssociatedProductsAbility=Aktivér virtuelle produkter (sæt) AssociatedProducts=Virtuelle produkter AssociatedProductsNumber=Antal varer, der udgør denne virtuelle vare @@ -167,7 +168,7 @@ SuppliersPrices=Leverandørpriser SuppliersPricesOfProductsOrServices=Sælgerpriser (af produkter eller tjenester) CustomCode=Told / vare / HS-kode CountryOrigin=Oprindelsesland -Nature=Nature of product (material/finished) +Nature=Produktets art (materiale / færdig) ShortLabel=Kort etiket Unit=Enhed p=u. diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index 24862a0756c..914132dbc85 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -39,8 +39,8 @@ ShowProject=Vis projekt ShowTask=Vis opgave SetProject=Indstil projekt NoProject=Intet projekt defineret -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Antal projekter +NbOfTasks=Antal opgaver TimeSpent=Tid brugt TimeSpentByYou=Tid brugt af dig TimeSpentByUser=Tid brugt af brugeren @@ -69,7 +69,7 @@ NewTask=Ny opgave AddTask=Opret opgave AddTimeSpent=Opret tid brugt AddHereTimeSpentForDay=Tilføj her brugt tid til denne dag / opgave -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddHereTimeSpentForWeek=Tilføj her tidsforbrug til denne uge/opgave Activity=Aktivitet Activities=Opgaver / aktiviteter MyActivities=Mine opgaver / aktiviteter @@ -78,31 +78,31 @@ MyProjectsArea=Mine projekter Område DurationEffective=Effektiv varighed ProgressDeclared=Erklæret fremskridt TaskProgressSummary=Opgave fremskridt -CurentlyOpenedTasks=Curently open tasks +CurentlyOpenedTasks=Aktuelt åbne opgaver TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den erklærede fremgang er mindre %s end den beregnede progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den erklærede fremgang er mere %s end den beregnede progression ProgressCalculated=Beregnede fremskridt -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +WhichIamLinkedTo=som jeg er knyttet til +WhichIamLinkedToProject=som jeg er knyttet til projektet Time=Tid ListOfTasks=Liste over opgaver GoToListOfTimeConsumed=Gå til listen over tid forbrugt GanttView=Gantt View -ListProposalsAssociatedProject=List of the commercial proposals related to the project -ListOrdersAssociatedProject=List of sales orders related to the project -ListInvoicesAssociatedProject=List of customer invoices related to the project -ListPredefinedInvoicesAssociatedProject=List of customer template invoices related to the project -ListSupplierOrdersAssociatedProject=List of purchase orders related to the project -ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project -ListContractAssociatedProject=List of contracts related to the project -ListShippingAssociatedProject=List of shippings related to the project -ListFichinterAssociatedProject=List of interventions related to the project -ListExpenseReportsAssociatedProject=List of expense reports related to the project -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListMOAssociatedProject=List of manufacturing orders related to the project +ListProposalsAssociatedProject=Liste over de kommercielle forslag i forbindelse med projektet +ListOrdersAssociatedProject=Liste over salgsordrer relateret til projektet +ListInvoicesAssociatedProject=Liste over kundefakturaer relateret til projektet +ListPredefinedInvoicesAssociatedProject=Liste over kunde skabelonfakturaer relateret til projektet\n  +ListSupplierOrdersAssociatedProject=Liste over indkøbsordrer relateret til projektet +ListSupplierInvoicesAssociatedProject=Liste over leverandørfakturaer relateret til projektet +ListContractAssociatedProject=Liste over kontrakter relateret til projektet +ListShippingAssociatedProject=Liste over forsendelser relateret til projektet +ListFichinterAssociatedProject=Liste over interventioner relateret til projektet +ListExpenseReportsAssociatedProject=Liste over udgiftsrapporter relateret til projektet +ListDonationsAssociatedProject=Liste over donationer i forbindelse med projektet +ListVariousPaymentsAssociatedProject=Liste over diverse betalinger forbundet med projektet +ListSalariesAssociatedProject=Liste over lønninger i forbindelse med projektet +ListActionsAssociatedProject=Liste over begivenheder i forbindelse med projektet +ListMOAssociatedProject=Liste over fremstilling ordrer i forbindelse med projektet ListTaskTimeUserProject=Liste over tid, der indtages på projektets opgaver ListTaskTimeForTask=Liste over tid forbrugt på opgaven ActivityOnProjectToday=Aktivitet på projektet i dag @@ -115,7 +115,7 @@ ChildOfTask=Under opgave TaskHasChild=Opgaven har under opgaver NotOwnerOfProject=Ikke ejer af denne private projekt AffectedTo=Påvirkes i -CantRemoveProject=Dette projekt kan ikke fjernes, da det er der henvises til nogle andre objekter (faktura, ordrer eller andet). Se referers fane. +CantRemoveProject=Dette projekt kan ikke fjernes, da det er henvist til af nogle andre objekter (faktura, ordrer eller andet). Se faneblad '%s'. ValidateProject=Validér projet ConfirmValidateProject=Er du sikker på, at du vil bekræfte dette projekt? CloseAProject=Luk projekt @@ -162,10 +162,10 @@ OpportunityProbability=Ledsandsynlighed OpportunityProbabilityShort=Lead probab. OpportunityAmount=Leder beløb OpportunityAmountShort=Leder beløb -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount +OpportunityWeightedAmount=Vægtet mængde af mulighed +OpportunityWeightedAmountShort=Vægtet mængde af mulighed +OpportunityAmountAverageShort=Gennemsnitligt leads antal +OpportunityAmountWeigthedShort=Vægtet leads mængde WonLostExcluded=Vundet / tabt udelukket ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Projektleder @@ -186,17 +186,17 @@ PlannedWorkload=Planlagt arbejdsbyrde PlannedWorkloadShort=arbejdsbyrde ProjectReferers=Relaterede emner ProjectMustBeValidatedFirst=Projektet skal bekræftes først -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +FirstAddRessourceToAllocateTime=Tildel en brugerressource som kontakt til projektet for at tildele tid InputPerDay=Indgang pr. Dag InputPerWeek=Indgang pr. Uge -InputPerMonth=Input per month +InputPerMonth=Input pr. Måned InputDetail=Indgangsdetalje TimeAlreadyRecorded=Dette er den tid, der allerede er registreret for denne opgave / dag og bruger %s ProjectsWithThisUserAsContact=Projekter med denne bruger som kontaktperson TasksWithThisUserAsContact=Opgaver tildelt denne bruger ResourceNotAssignedToProject=Ikke tildelt til projekt ResourceNotAssignedToTheTask=Ikke tildelt opgaven -NoUserAssignedToTheProject=No users assigned to this project +NoUserAssignedToTheProject=Ingen brugere tildelt dette projekt TimeSpentBy=Tid brugt af TasksAssignedTo=Opgaver tildelt AssignTaskToMe=Tildel opgave til mig @@ -204,7 +204,7 @@ AssignTaskToUser=Tildel opgave til %s SelectTaskToAssign=Vælg opgave for at tildele ... AssignTask=Tildel ProjectOverview=Oversigt -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) +ManageTasks=Brug projekter til at følge opgaver og / eller rapportere tidsforbrug (timesedler) ManageOpportunitiesStatus=Brug projekter til at følge potentielle kunder / nye salgsmuligheder ProjectNbProjectByMonth=Antal oprettet projekter pr. Måned ProjectNbTaskByMonth=Antal oprettet opgaver efter måned @@ -215,16 +215,16 @@ ProjectsStatistics=Statistik over projekter / ledere TasksStatistics=Statistik over projekt / hovedopgaver TaskAssignedToEnterTime=Opgave tildelt. Indtastning af tid på denne opgave skal være muligt. IdTaskTime=Id opgave tid -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +YouCanCompleteRef=Hvis du ønsker at afslutte ref med et eller flere suffiks, anbefales det at tilføje et - tegn for at adskille det, så den automatiske nummerering stadig fungerer korrekt til næste projekter. For eksempel %s-MYSUFFIX OpenedProjectsByThirdparties=Åbne projekter af tredjeparter OnlyOpportunitiesShort=Kun fører OpenedOpportunitiesShort=Åbne kundeemner -NotOpenedOpportunitiesShort=Not an open lead +NotOpenedOpportunitiesShort=Ikke en åben lead NotAnOpportunityShort=Ikke en ledelse OpportunityTotalAmount=Samlet antal ledere OpportunityPonderatedAmount=Vægtet antal ledninger OpportunityPonderatedAmountDesc=Potentielle kunder beløbet vægtet med sandsynlighed -OppStatusPROSP=Prospection +OppStatusPROSP=prospektering OppStatusQUAL=Kvalifikation OppStatusPROPO=Tilbud OppStatusNEGO=negociation @@ -232,13 +232,13 @@ OppStatusPENDING=Verserende OppStatusWON=Vandt OppStatusLOST=Faret vild Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

Supported values:
- Keep empty: Can link any project of the company (default)
- "all": Can link any projects, even projects of other companies
- A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
+AllowToLinkFromOtherCompany=Lad det link projekt fra andre firma

Supported værdier:
- Hold tom: Kan forbinde ethvert projekt af selskabet (standard)
- "alle": Kan forbinde projekter, selv projekter af andre virksomheder
-En liste over tredjeparts-id'er adskilt af kommaer: kan linke alle projekter fra disse tredjeparter (Eksempel: 123.495,53)
  LatestProjects=Seneste %s projekter LatestModifiedProjects=Seneste %s ændrede projekter OtherFilteredTasks=Andre filtrerede opgaver -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +NoAssignedTasks=Der blev ikke fundet nogen tildelte opgaver (tildel projekt / opgaver til den aktuelle bruger fra det øverste valgfelt for at indtaste tid på det) +ThirdPartyRequiredToGenerateInvoice=En tredjepart skal defineres på projektet for at kunne fakturere det. +ChooseANotYetAssignedTask=Vælg en opgave, der endnu ikke er tildelt dig # Comments trans AllowCommentOnTask=Tillad brugernes kommentarer til opgaver AllowCommentOnProject=Tillad brugernes kommentarer til projekter @@ -246,22 +246,23 @@ DontHavePermissionForCloseProject=Du har ikke tilladelser til at lukke projektet DontHaveTheValidateStatus=Projektet %s skal være åbent for at blive lukket RecordsClosed=%s projekt (er) lukket SendProjectRef=Informationsprojekt %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed +ModuleSalaryToDefineHourlyRateMustBeEnabled=Modul 'lønninger' skal være aktiveret for at definere medarbejderens timepris for at få brugt tid valideret +NewTaskRefSuggested=Task ref allerede brugt, en ny task ref kræves +TimeSpentInvoiced=Faktureret tid TimeSpentForInvoice=Tid brugt -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=Usage: Bill time -InvoiceToUse=Draft invoice to use +OneLinePerUser=En linje pr. Bruger +ServiceToUseOnLines=Service til brug på linjer +InvoiceGeneratedFromTimeSpent=Faktura %s er genereret fra tidsforbrug til projektet +ProjectBillTimeDescription=Tjek om du indtaster timeseddel på opgaver projekt og du planlægger at generere faktura (er) fra timeseddel til regningen kunden af projektet (ikke kontrollere, hvis du planlægger at oprette faktura, der ikke er baseret på indgåede timesedler). Bemærk: For at generere faktura, gå på fanen 'Tidsforbruget' af projektet og vælg linjer til at omfatte. +ProjectFollowOpportunity=Følg muligheden +ProjectFollowTasks=Følg opgaver eller tidsforbrug +Usage=Anvendelse +UsageOpportunity=Anvendelse: Mulighed +UsageTasks=Brug: Opgaver +UsageBillTimeShort=Anvendelse: Faktureringstid +InvoiceToUse=Udkast faktura til brug NewInvoice=Ny faktura -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -RefTaskParent=Ref. Parent Task +OneLinePerTask=En linje pr. Opgave +OneLinePerPeriod=En linje pr. Periode +RefTaskParent=Ref. Forældre Opgave +ProfitIsCalculatedWith=Fortjeneste beregnes ved hjælp af diff --git a/htdocs/langs/da_DK/propal.lang b/htdocs/langs/da_DK/propal.lang index 12a2ffc71b6..06194ec6848 100644 --- a/htdocs/langs/da_DK/propal.lang +++ b/htdocs/langs/da_DK/propal.lang @@ -76,11 +76,11 @@ TypeContact_propal_external_BILLING=Kundefaktura kontakt TypeContact_propal_external_CUSTOMER=Kundekontakt for opfølgning af tilbud TypeContact_propal_external_SHIPPING=Kundekontakt for levering # Document models -DocModelAzurDescription=A complete proposal model -DocModelCyanDescription=A complete proposal model +DocModelAzurDescription=En komplet forslagsmodel (gammel implementering af Cyan-skabelon) +DocModelCyanDescription=En komplet forslagsmodel DefaultModelPropalCreate=Oprettelse af skabelon DefaultModelPropalToBill=Skabelon, der skal benyttes, når et tilbud lukkes (med fakturering) DefaultModelPropalClosed=Skabelon, der skal benyttes, når et tilbud lukkes (uden fakturering) ProposalCustomerSignature=Skriftlig accept, firmastempel, dato og underskrift ProposalsStatisticsSuppliers=Forhandler forslagsstatistik -CaseFollowedBy=Case followed by +CaseFollowedBy=Sag efterfulgt af diff --git a/htdocs/langs/da_DK/receiptprinter.lang b/htdocs/langs/da_DK/receiptprinter.lang index 6f52edb7a45..6754a3c1c04 100644 --- a/htdocs/langs/da_DK/receiptprinter.lang +++ b/htdocs/langs/da_DK/receiptprinter.lang @@ -20,7 +20,7 @@ CONNECTOR_DUMMY_HELP=Falsk printer til test, gør ingenting CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x: 9100 CONNECTOR_FILE_PRINT_HELP=/ dev / usb / lp0, / dev / usb / lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb: //FooUser:hemmeligt@computernavn/arbejdsgruppe/kvitteringsprinter -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=CUPS printernavn, eksempel: HPRT_TP805L PROFILE_DEFAULT=Standard profil PROFILE_SIMPLE=Enkel profil PROFILE_EPOSTEP=Epos Tep Profile @@ -28,10 +28,10 @@ PROFILE_P822D=P822D-profil PROFILE_STAR=Stjerne profil PROFILE_DEFAULT_HELP=Standard profil, der passer til Epson-printere PROFILE_SIMPLE_HELP=Enkel profil ingen grafik -PROFILE_EPOSTEP_HELP=Epos Tep Profile +PROFILE_EPOSTEP_HELP=Epos Tep-profil PROFILE_P822D_HELP=P822D Profil nr. Grafik PROFILE_STAR_HELP=Stjerne profil -DOL_LINE_FEED=Skip line +DOL_LINE_FEED=Spring linje over DOL_ALIGN_LEFT=Venstre justeringstekst DOL_ALIGN_CENTER=Center tekst DOL_ALIGN_RIGHT=Højre justere teksten @@ -45,51 +45,51 @@ DOL_CUT_PAPER_PARTIAL=Skær billet delvist DOL_OPEN_DRAWER=Åben pengeskuffe DOL_ACTIVATE_BUZZER=Aktivér summer DOL_PRINT_QRCODE=Udskriv QR-kode -DOL_PRINT_LOGO=Print logo of my company -DOL_PRINT_LOGO_OLD=Print logo of my company (old printers) -DOL_BOLD=Bold -DOL_BOLD_DISABLED=Disable bold -DOL_DOUBLE_HEIGHT=Double height size -DOL_DOUBLE_WIDTH=Double width size -DOL_DEFAULT_HEIGHT_WIDTH=Default height and width size -DOL_UNDERLINE=Enable underline -DOL_UNDERLINE_DISABLED=Disable underline -DOL_BEEP=Beed sound -DOL_PRINT_TEXT=Print text +DOL_PRINT_LOGO=Print logo for mit firma +DOL_PRINT_LOGO_OLD=Print logo for mit firma (gamle printere) +DOL_BOLD=Fremhævet +DOL_BOLD_DISABLED=Deaktiver fed +DOL_DOUBLE_HEIGHT=Dobbelt højde størrelse +DOL_DOUBLE_WIDTH=Dobbelt bredde størrelse +DOL_DEFAULT_HEIGHT_WIDTH=Standard højde og bredde størrelse +DOL_UNDERLINE=Aktiver understregning +DOL_UNDERLINE_DISABLED=Deaktiver understregning +DOL_BEEP=Bip lyd +DOL_PRINT_TEXT=Udskriv tekst DOL_VALUE_DATE=Fakturadato -DOL_VALUE_DATE_TIME=Invoice date and time -DOL_VALUE_YEAR=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -DOL_VALUE_OBJECT_ID=Invoice ID +DOL_VALUE_DATE_TIME=Faktura dato og tid +DOL_VALUE_YEAR=Faktura år +DOL_VALUE_MONTH_LETTERS=Fakturamåned med bogstaver +DOL_VALUE_MONTH=Faktura måned +DOL_VALUE_DAY=Faktura dag +DOL_VALUE_DAY_LETTERS=Fakturadag med bogstaver +DOL_LINE_FEED_REVERSE=Linje feed revers +DOL_VALUE_OBJECT_ID=Faktura ID DOL_VALUE_OBJECT_REF=Faktura ref -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -DOL_VALUE_MYSOC_ADDRESS=Your company address -DOL_VALUE_MYSOC_ZIP=Your zip code -DOL_VALUE_MYSOC_TOWN=Your town -DOL_VALUE_MYSOC_COUNTRY=Your country -DOL_VALUE_MYSOC_IDPROF1=Your IDPROF1 -DOL_VALUE_MYSOC_IDPROF2=Your IDPROF2 -DOL_VALUE_MYSOC_IDPROF3=Your IDPROF3 -DOL_VALUE_MYSOC_IDPROF4=Your IDPROF4 -DOL_VALUE_MYSOC_IDPROF5=Your IDPROF5 -DOL_VALUE_MYSOC_IDPROF6=Your IDPROF6 +DOL_PRINT_OBJECT_LINES=Faktura linjer +DOL_VALUE_CUSTOMER_FIRSTNAME=Kundens fornavn +DOL_VALUE_CUSTOMER_LASTNAME=Kundens efternavn +DOL_VALUE_CUSTOMER_MAIL=Kunde Email +DOL_VALUE_CUSTOMER_PHONE=Kunde Telefon +DOL_VALUE_CUSTOMER_MOBILE=Kunde Mobil +DOL_VALUE_CUSTOMER_SKYPE=kunde Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Kundernes CVR nummer +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Kundekontosaldo +DOL_VALUE_MYSOC_NAME=Dit firmanavn +DOL_VALUE_MYSOC_ADDRESS=Din virksomheds adresse +DOL_VALUE_MYSOC_ZIP=Dit postnummer +DOL_VALUE_MYSOC_TOWN=Din by +DOL_VALUE_MYSOC_COUNTRY=Dit land +DOL_VALUE_MYSOC_IDPROF1=Din IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=Din IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=Din IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=Din IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=Din IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=Din IDPROF6 DOL_VALUE_MYSOC_TVA_INTRA=Moms ID inden for Fællesskabet DOL_VALUE_MYSOC_CAPITAL=Egenkapital -DOL_VALUE_VENDOR_LASTNAME=Vendor last name -DOL_VALUE_VENDOR_FIRSTNAME=Vendor first name -DOL_VALUE_VENDOR_MAIL=Vendor mail -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_VENDOR_LASTNAME=Sælgers efternavn +DOL_VALUE_VENDOR_FIRSTNAME=Sælgers fornavn +DOL_VALUE_VENDOR_MAIL=Sælgers Email +DOL_VALUE_CUSTOMER_POINTS=Kundepunkter +DOL_VALUE_OBJECT_POINTS=Objektpoint diff --git a/htdocs/langs/da_DK/receptions.lang b/htdocs/langs/da_DK/receptions.lang index 277c3f236ff..afd06442445 100644 --- a/htdocs/langs/da_DK/receptions.lang +++ b/htdocs/langs/da_DK/receptions.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionsSetup=Product Reception setup +ReceptionsSetup=Opsætning af produktmodtagelse RefReception=Modtager Ref. Reception=Den proces Receptions=Modtagelse @@ -41,5 +41,7 @@ ReceptionLine=Modtagelse linje ProductQtyInReceptionAlreadySent=Produkt mængde fra åben salgsordre allerede sendt ProductQtyInSuppliersReceptionAlreadyRecevied=Produkt mængde fra åben leverandør ordre allerede modtaget ValidateOrderFirstBeforeReception=Du skal først validere ordren, før du kan lave modtagelse. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions +ReceptionsNumberingModules=Nummerering modul til receptioner +ReceptionsReceiptModel=Dokumentskabeloner til modtagelser +NoMorePredefinedProductToDispatch=Ikke flere foruddefinerede produkter, der skal sendes + diff --git a/htdocs/langs/da_DK/resource.lang b/htdocs/langs/da_DK/resource.lang index 69052720d58..8c442abdbaf 100644 --- a/htdocs/langs/da_DK/resource.lang +++ b/htdocs/langs/da_DK/resource.lang @@ -34,3 +34,6 @@ IdResource=Id ressource AssetNumber=Serienummer ResourceTypeCode=Ressource type kode ImportDataset_resource_1=Ressourcer + +ErrorResourcesAlreadyInUse=Nogle ressourcer er i brug +ErrorResourceUseInEvent=%s bruges i %s tilfælde diff --git a/htdocs/langs/da_DK/salaries.lang b/htdocs/langs/da_DK/salaries.lang index b9be2c3691c..e1a7521bd8b 100644 --- a/htdocs/langs/da_DK/salaries.lang +++ b/htdocs/langs/da_DK/salaries.lang @@ -12,10 +12,10 @@ ShowSalaryPayment=Vis lønbetaling THM=Gennemsnitlig timepris TJM=Gennemsnitlig dagspris CurrentSalary=Nuværende løn -THMDescription=This value may be used to calculate the cost of time consumed on a project entered by users if module project is used -TJMDescription=This value is currently for information only and is not used for any calculation +THMDescription=Denne værdi kan bruges til at beregne omkostningerne til den tid, der er forbrugt på et projekt, der er indtastet af brugere, hvis modulprojektet bruges +TJMDescription=Denne værdi er i øjeblikket kun til information og bruges ikke til nogen beregning LastSalaries=Seneste %s lønbetalinger AllSalaries=Alle lønudbetalinger SalariesStatistics=Lønstatistik # Export -SalariesAndPayments=Salaries and payments +SalariesAndPayments=Løn og betalinger diff --git a/htdocs/langs/da_DK/sendings.lang b/htdocs/langs/da_DK/sendings.lang index 1f4b851e95e..d430c0fe7ac 100644 --- a/htdocs/langs/da_DK/sendings.lang +++ b/htdocs/langs/da_DK/sendings.lang @@ -21,7 +21,7 @@ QtyShipped=Qty afsendt QtyShippedShort=Antal skibe. QtyPreparedOrShipped=Antal forberedt eller afsendt QtyToShip=Qty til skibet -QtyToReceive=Qty to receive +QtyToReceive=Antal at modtage QtyReceived=Antal modtagne QtyInOtherShipments=Antal i andre forsendelser KeepToShip=Bliv ved at sende @@ -47,17 +47,17 @@ DateDeliveryPlanned=Planlagt leveringsdato RefDeliveryReceipt=Ref leveringskvittering StatusReceipt=Status leveringskvittering DateReceived=Dato levering modtaget -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email +ClassifyReception=Klassificer modtagelse +SendShippingByEMail=Send forsendelse via e-mail SendShippingRef=Indsendelse af forsendelse %s ActionsOnShipping=Begivenheder for forsendelse LinkToTrackYourPackage=Link til at spore din pakke ShipmentCreationIsDoneFromOrder=For øjeblikket er skabelsen af ​​en ny forsendelse udført af ordrekortet. ShipmentLine=Forsendelseslinje -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -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 +ProductQtyInCustomersOrdersRunning=Produktmængde fra åbne salgsordrer +ProductQtyInSuppliersOrdersRunning=Produktmængde fra åbne indkøbsordrer +ProductQtyInShipmentAlreadySent=Produktmængde fra åben salgsordre allerede sendt +ProductQtyInSuppliersShipmentAlreadyRecevied=Produktmængde fra allerede modtagne åbne indkøbsordrer NoProductToShipFoundIntoStock=Intet produkt til skib fundet i lageret %s . Ret lager eller gå tilbage for at vælge et andet lager. WeightVolShort=Vægt / vol. ValidateOrderFirstBeforeShipment=Du skal først bekræfte ordren, inden du kan foretage forsendelser. @@ -71,4 +71,4 @@ SumOfProductWeights=Summen af ​​produktvægt # warehouse details DetailWarehouseNumber= Lager detaljer -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseFormat= W: %s(Antal:%d) diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang index fa0dc28dc32..e03c31fc753 100644 --- a/htdocs/langs/da_DK/stocks.lang +++ b/htdocs/langs/da_DK/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Lager værdi UserWarehouseAutoCreate=Opret et brugerlager automatisk, når du opretter en bruger AllowAddLimitStockByWarehouse=Administrer også værdi for minimum og ønsket lager pr. Parring (produktlager) ud over værdien for minimum og ønsket lager pr. Produkt +RuleForWarehouse=Regel for lagre +WarehouseAskWarehouseDuringOrder=Indstil et lager med salgsordrer +UserDefaultWarehouse=Indstil et lager til brugere +DefaultWarehouseActive=Standardlager aktiv +MainDefaultWarehouse=Standardlager +MainDefaultWarehouseUser=Brug brugerlager tildel standard +MainDefaultWarehouseUserDesc=/! \\ Ved at aktivere denne indstilling defineres guldet ved oprettelsen af en artikel, det lager, der er tildelt brugeren, på denne. Hvis der ikke er defineret noget lager på brugeren, defineres standardlageret. IndependantSubProductStock=Produkt beholdning og underprodukt er uafhængige QtyDispatched=Afsendte mængde QtyDispatchedShort=Antal afsendt @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Lageret %s vil blive brugt til lagernedgang WarehouseForStockIncrease=Lageret %s vil blive brugt til lagerforhøjelse ForThisWarehouse=Til dette lager ReplenishmentStatusDesc=Dette er en liste over alle produkter med et lager, der er lavere end ønsket lager (eller lavere end alarmværdien, hvis afkrydsningsfeltet "kun alarm" er markeret). Ved hjælp af afkrydsningsfeltet kan du oprette indkøbsordrer for at udfylde forskellen. +ReplenishmentStatusDescPerWarehouse=Hvis du ønsker en genopfyldning baseret på den ønskede mængde defineret pr. Lager, skal du tilføje et filter på lageret. ReplenishmentOrdersDesc=Dette er en liste over alle åbne indkøbsordrer inklusive foruddefinerede produkter. Her er kun åbne ordrer med foruddefinerede produkter, så ordrer, der kan påvirke lagrene, er synlige her. Replenishments=genopfyldninger NbOfProductBeforePeriod=Mængde af produkt %s på lager inden valgt periode (<%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Beholdning til et specifikt lager InventoryForASpecificProduct=Beholdning for et specifikt produkt StockIsRequiredToChooseWhichLotToUse=Lager kræves for at vælge, hvilket parti der skal bruges ForceTo=Tving til +AlwaysShowFullArbo=Vis hele træets lagertrin ved pop op af warehouse-links (Advarsel: Dette kan mindske ydeevne dramatisk) diff --git a/htdocs/langs/da_DK/stripe.lang b/htdocs/langs/da_DK/stripe.lang index 7ea3e6c6d93..f93012811d4 100644 --- a/htdocs/langs/da_DK/stripe.lang +++ b/htdocs/langs/da_DK/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Stripe-modul opsætning -StripeDesc=Offer customers a Stripe online payment page for payments with credit/cebit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) +StripeDesc=Tilbyd kunderne en Stripe online betalingsside for betalinger med kredit- / cebit kort via Stripe. Dette kan bruges til at give dine kunder mulighed for at foretage ad-hoc betalinger eller til betalinger relateret til et bestemt Dolibarr objekt (faktura, ordre, ...) StripeOrCBDoPayment=Betal med kreditkort eller stripe FollowingUrlAreAvailableToMakePayments=Følgende webadresser oprettet som tilbyde en side til en kunde, hvor til der kan foretage indbetalinger på Dolibarr objekter PaymentForm=Betalings formular @@ -9,20 +9,20 @@ ThisScreenAllowsYouToPay=Dette skærmbillede giver dig mulighed for at foretage ThisIsInformationOnPayment=Dette er informationer om betaling for at gøre ToComplete=For at fuldføre YourEMail=E-mail til bekræftelse af betaling, -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) +STRIPE_PAYONLINE_SENDEMAIL=E-mail meddelelse efter en betaling forsøg (succes eller fejl) Creditor=Kreditor PaymentCode=Betalingskode -StripeDoPayment=Pay with Stripe +StripeDoPayment=Betal med Stripe YouWillBeRedirectedOnStripe=Du bliver omdirigeret på sikret stripeside for at indtaste dig kreditkortoplysninger Continue=Næste ToOfferALinkForOnlinePayment=URL til %s betaling -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) +ToOfferALinkForOnlinePaymentOnOrder=URL til at tilbyde en %s online betalingsside for en salgsordre +ToOfferALinkForOnlinePaymentOnInvoice=URL til at tilbyde en %s online betalingsside for en kundefaktura +ToOfferALinkForOnlinePaymentOnContractLine=URL til at tilbyde en %s online betalingsside for en kontraktlinje +ToOfferALinkForOnlinePaymentOnFreeAmount=URL til at tilbyde en %s online betalingsside af ethvert beløb uden noget eksisterende objekt +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL til at tilbyde en %s online betalingsside for et medlemsabonnement +ToOfferALinkForOnlinePaymentOnDonation=URL til at tilbyde en %s online betalingsside til betaling af en donation +YouCanAddTagOnUrl=Du kan også tilføje url-parameter & tag = værdi til en af disse URL-adresser (kun obligatorisk for betaling, der ikke er knyttet til et objekt) for at tilføje dit eget betalings-kommentar-tag.
For URL-adressen til betalinger uden noget eksisterende objekt, kan du også tilføje parameteren & noidempotency=1, så det samme link med samme tag kan bruges flere gange (nogle betalingsmetoder begrænser muligvis betalingen til 1 for hvert andet link uden denne parameter) SetupStripeToHavePaymentCreatedAutomatically=Indstil din stripe med url %s for at få betaling oprettet automatisk, når bekræftet af Stripe. AccountParameter=Kontoparametre UsageParameter=Anvendelsesparametre @@ -32,7 +32,7 @@ VendorName=Navn på leverandør CSSUrlForPaymentForm=CSS stilark url for betalingsformular NewStripePaymentReceived=Ny Stripe betaling modtaget NewStripePaymentFailed=Ny Stripe betaling forsøgt men mislykkedes -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Kunne ikke hæve på kortet STRIPE_TEST_SECRET_KEY=Hemmelig testnøgle STRIPE_TEST_PUBLISHABLE_KEY=Udgivelig testnøgle STRIPE_TEST_WEBHOOK_KEY=Webhook testnøgle @@ -42,7 +42,7 @@ STRIPE_LIVE_WEBHOOK_KEY=Webhook-livenøgle ONLINE_PAYMENT_WAREHOUSE=Lager til brug for lagerreduktion, når online betaling er færdig
(TODO Når valgmuligheden for at reducere lagerbeholdningen sker på en handling på faktura, og online betaling genererer selve fakturaen?) StripeLiveEnabled=Stripe live aktiveret (ellers test / sandbox mode) StripeImportPayment=Import Stripe betalinger -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails +ExampleOfTestCreditCard=Eksempel på kreditkort til test:%s => gyldigt,%s => fejl CVC,%s => udløbet, %s=> gebyr mislykkes StripeGateways=Stripe gateways OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca. _...) OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca. _...) @@ -63,10 +63,10 @@ ConfirmDeleteCard=Er du sikker på, at du vil slette dette kredit- eller betalin CreateCustomerOnStripe=Opret kunde på Stripe CreateCardOnStripe=Opret kort på Stripe ShowInStripe=Vis i Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +StripeUserAccountForActions=Brugerkonto, der skal bruges til e-mail-meddelelse om nogle Stripe begivenheder (Stripe udbetalinger) +StripePayoutList=Liste over Stripe udbetalinger +ToOfferALinkForTestWebhook=Link til opsætning Stripe WebHook for at ringe til IPN (test tilstand) +ToOfferALinkForLiveWebhook=Link til opsætning Stripe WebHook for at ringe til IPN (live tilstand) +PaymentWillBeRecordedForNextPeriod=Betaling registreres for den næste periode. +ClickHereToTryAgain=Klik her for at prøve igen ... +CreationOfPaymentModeMustBeDoneFromStripeInterface=På grund af stærke kunde autentificerings regler skal oprettelse af et kort foretages fra Stripe backoffice. Du kan klikke her for at tænde for Stripe-kundepost:%s diff --git a/htdocs/langs/da_DK/supplier_proposal.lang b/htdocs/langs/da_DK/supplier_proposal.lang index be48b0b404a..44cdd478f6a 100644 --- a/htdocs/langs/da_DK/supplier_proposal.lang +++ b/htdocs/langs/da_DK/supplier_proposal.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - supplier_proposal SupplierProposal=Leverandørens kommercielle forslag -supplier_proposalDESC=Manage price requests to suppliers +supplier_proposalDESC=Administrer prisanmodninger til leverandører SupplierProposalNew=Ny prisanmodning CommRequest=Prisforespørgsel CommRequests=Prisforespørgsler @@ -32,7 +32,7 @@ SupplierProposalStatusValidatedShort=Bekræftet SupplierProposalStatusClosedShort=Lukket SupplierProposalStatusSignedShort=Accepteret SupplierProposalStatusNotSignedShort=Afviste -CopyAskFrom=Opret pris anmodning ved at kopiere eksisterende en anmodning +CopyAskFrom=Opret en prisanmodning ved at kopiere en eksisterende anmodning CreateEmptyAsk=Opret blank forespørgsel ConfirmCloneAsk=Er du sikker på, at du vil klone prisanmodningen %s ? ConfirmReOpenAsk=Er du sikker på, at du vil åbne prisforespørgslen %s igen? diff --git a/htdocs/langs/da_DK/suppliers.lang b/htdocs/langs/da_DK/suppliers.lang index 2b4819780b1..955fae6de5c 100644 --- a/htdocs/langs/da_DK/suppliers.lang +++ b/htdocs/langs/da_DK/suppliers.lang @@ -1,11 +1,11 @@ -# Dolibarr language file - Source file is en_US - suppliers +# Dolibarr language file - Source file is en_US - vendors Suppliers=Leverandører -SuppliersInvoice=Vendor invoice -ShowSupplierInvoice=Show Vendor Invoice +SuppliersInvoice=Leverandørfaktura +ShowSupplierInvoice=Vis leverandørfaktura NewSupplier=Ny sælger History=Historie ListOfSuppliers=Liste over leverandører -ShowSupplier=Show vendor +ShowSupplier=Vis sælger OrderDate=Bestil dato BuyingPriceMin=Bedste købspris BuyingPriceMinShort=Bedste købspris @@ -14,34 +14,34 @@ TotalSellingPriceMinShort=I alt af underproduktpriserne SomeSubProductHaveNoPrices=Nogle undervarer har ingen pris defineret AddSupplierPrice=Tilføj købspris ChangeSupplierPrice=Skift købspris -SupplierPrices=Vendor prices -ReferenceSupplierIsAlreadyAssociatedWithAProduct=Denne henvisning leverandøren er allerede forbundet med en reference: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +SupplierPrices=Leverandørpriser +ReferenceSupplierIsAlreadyAssociatedWithAProduct=Denne leverandørreference er allerede knyttet til et produkt:%s +NoRecordedSuppliers=Ingen sælger registreret +SupplierPayment=Leverandørbetaling +SuppliersArea=Leverandørområde +RefSupplierShort=Ref. sælger Availability=Tilgængelighed -ExportDataset_fournisseur_1=Vendor invoices list and invoice lines -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order lines +ExportDataset_fournisseur_1=Leverandørfakturaer og faktura detaljer +ExportDataset_fournisseur_2=Leverandørfakturaer og betalinger +ExportDataset_fournisseur_3=Indkøbsordrer og bestillingsoplysninger ApproveThisOrder=Godkende denne ordre ConfirmApproveThisOrder=Er du sikker på, at du vil godkende ordre %s ? DenyingThisOrder=Afvis denne ordre ConfirmDenyingThisOrder=Er du sikker på, at du vil nægte denne ordre %s ? ConfirmCancelThisOrder=Er du sikker på, at du vil annullere denne ordre %s ? -AddSupplierOrder=Create Purchase Order -AddSupplierInvoice=Create vendor invoice -ListOfSupplierProductForSupplier=List of products and prices for vendor %s -SentToSuppliers=Sent to vendors -ListOfSupplierOrders=List of purchase orders -MenuOrdersSupplierToBill=Purchase orders to invoice -NbDaysToDelivery=Leveringsforsinkelse i dage -DescNbDaysToDelivery=Den største leveringsforsinkelse af produkterne fra denne ordre -SupplierReputation=Vendor reputation +AddSupplierOrder=Opret indkøbsordre +AddSupplierInvoice=Opret leverandørfaktura +ListOfSupplierProductForSupplier=Liste over produkter og priser for sælger %s +SentToSuppliers=Sendt til leverandører +ListOfSupplierOrders=Liste over indkøbsordrer +MenuOrdersSupplierToBill=Indkøbsordrer til faktura +NbDaysToDelivery=Leveringsforsinkelse (dage) +DescNbDaysToDelivery=Den længste leveringsforsinkelse af produkterne fra denne ordre +SupplierReputation=Leverandør ry DoNotOrderThisProductToThisSupplier=Bestil ikke -NotTheGoodQualitySupplier=Forkert kvalitet +NotTheGoodQualitySupplier=Lav kvalitet ReputationForThisProduct=Omdømme BuyerName=Navn på køber AllProductServicePrices=Alle produkt- / servicepriser -AllProductReferencesOfSupplier=Alle produkt / service referencer af leverandør -BuyingPriceNumShort=Vendor prices +AllProductReferencesOfSupplier=Alle produkt / servicereferencer hos leverandøren +BuyingPriceNumShort=Leverandørpriser diff --git a/htdocs/langs/da_DK/ticket.lang b/htdocs/langs/da_DK/ticket.lang index 1df567ae6fa..f45b737fe9f 100644 --- a/htdocs/langs/da_DK/ticket.lang +++ b/htdocs/langs/da_DK/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Opgave nummerering modul TicketNotifyTiersAtCreation=Underret tredjepart ved oprettelsen TicketGroup=Gruppe TicketsDisableCustomerEmail=Deaktiver altid Emails, når en opgave oprettes fra den offentlige grænseflade +TicketsPublicNotificationNewMessage=Send e-mail (s), når en ny besked tilføjes +TicketsPublicNotificationNewMessageHelp=Send e-mail (s), når en ny meddelelse tilføjes fra den offentlige grænseflade (til den tildelte bruger eller meddelelses-e-mailen til (opdatering) og / eller meddelelses-e-mailen til) +TicketPublicNotificationNewMessageDefaultEmail=Underretnings-e-mail til (opdatering) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send e-mail-meddelelser om ny meddelelse til denne adresse, hvis billetten ikke har en bruger tildelt, eller brugeren ikke har en e-mail. # # Index & list page # -TicketsIndex=Opgave - hjem +TicketsIndex=Billet område TicketList=Liste over opgaver TicketAssignedToMeInfos=Denne side viser en opgaveliste oprettet af eller tildelt den aktuelle bruger NoTicketsFound=Ingen opgaver fundet diff --git a/htdocs/langs/da_DK/trips.lang b/htdocs/langs/da_DK/trips.lang index 19549e57d26..5270587fe71 100644 --- a/htdocs/langs/da_DK/trips.lang +++ b/htdocs/langs/da_DK/trips.lang @@ -73,7 +73,7 @@ EX_PAR_VP=Parkering PV EX_CAM_VP=PV vedligeholdelse og reparation DefaultCategoryCar=Standard transport mode DefaultRangeNumber=Standard interval nummer -UploadANewFileNow=Upload a new document now +UploadANewFileNow=Upload et nyt dokument nu Error_EXPENSEREPORT_ADDON_NotDefined=Fejl, reglen for udgiftsrapport nummerering ref blev ikke defineret i opsætning af modul 'Udgiftsrapport' ErrorDoubleDeclaration=Du har erklæret en anden regningsrapport i et lignende datointerval. AucuneLigne=Der er ikke angivet nogen omkostningsrapport endnu @@ -148,4 +148,4 @@ nolimitbyEX_EXP=efter linie (ingen begrænsning) CarCategory=Kategori af bil ExpenseRangeOffset=Forskudsbeløb: %s RangeIk=Mileage rækkevidde -AttachTheNewLineToTheDocument=Attach the new line to an existing document +AttachTheNewLineToTheDocument=Fastgør linjen til et uploadet dokument diff --git a/htdocs/langs/da_DK/users.lang b/htdocs/langs/da_DK/users.lang index 465b8ad793b..60ddd269457 100644 --- a/htdocs/langs/da_DK/users.lang +++ b/htdocs/langs/da_DK/users.lang @@ -12,7 +12,7 @@ PasswordChangedTo=Adgangskode ændret til: %s SubjectNewPassword=Din nye adgangskode for %s GroupRights=Gruppetilladelser UserRights=Brugertilladelser -UserGUISetup=User Display Setup +UserGUISetup=Bruger Opsætning af display DisableUser=Deaktiver DisableAUser=Deaktiver en bruger DeleteUser=Slet @@ -34,8 +34,8 @@ ListOfUsers=Liste over brugere SuperAdministrator=Super Administrator SuperAdministratorDesc=Administrator med alle rettigheder AdministratorDesc=Administrator -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). +DefaultRights=Standard tilladelser +DefaultRightsDesc=Her defineres standardtilladelser, der automatisk tildeles en nybruger (for at ændre tilladelser for eksisterende brugere, gå til brugerkortet). DolibarrUsers=Dolibarr brugere LastName=Efternavn FirstName=Fornavn @@ -69,8 +69,8 @@ InternalUser=Intern bruger ExportDataset_user_1=Brugere og deres egenskaber DomainUser=Domænebruger %s Reactivate=Genaktiver -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +CreateInternalUserDesc=Denne formular kan du oprette en intern bruger i din virksomhed / organisation. For at oprette en ekstern bruger (kunde, leverandør osv ..), skal du bruge knappen 'Opret Dolibarr Bruger' fra den tredje-parts kontaktkort. +InternalExternalDesc=En intern bruger er en bruger, der er en del af din virksomhed / organisation.
En ekstern bruger er en kunde, sælger eller andet (Oprettelse af en ekstern bruger til en tredjepart kan udføres fra tredjepartens kontaktpost).

i begge tilfælde definerer tilladelser rettigheder på Dolibarr, også ekstern bruger kan have en anden menushåndtering end intern bruger (Se Hjem - Opsætning - Display) PermissionInheritedFromAGroup=Tilladelse gives, fordi arvet fra en af en brugers gruppe. Inherited=Arvelige UserWillBeInternalUser=Oprettet brugeren vil blive en intern bruger (fordi der ikke er knyttet til en bestemt tredjepart) @@ -78,6 +78,7 @@ UserWillBeExternalUser=Oprettet bruger vil være en ekstern bruger (fordi knytte IdPhoneCaller=Id telefonen ringer op NewUserCreated=Bruger %s oprettet NewUserPassword=Ændring af adgangskode for %s +NewPasswordValidated=Dit nye password er blevet valideret og skal nu bruges til at login. EventUserModified=Bruger %s modificerede UserDisabled=Bruger %s handicappede UserEnabled=Bruger %s aktiveret @@ -107,11 +108,11 @@ DisabledInMonoUserMode=Deaktiveret i vedligeholdelsestilstand UserAccountancyCode=Regnskabskode for bruger UserLogoff=Bruger logout UserLogged=Bruger logget -DateEmployment=Employment Start Date -DateEmploymentEnd=Employment End Date -CantDisableYourself=You can't disable your own user record -ForceUserExpenseValidator=Force expense report validator -ForceUserHolidayValidator=Force leave request validator -ValidatorIsSupervisorByDefault=By default, the validator is the supervisor of the user. Keep empty to keep this behaviour. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +DateEmployment=Ansættelsesstartdato +DateEmploymentEnd=Ansættelses slutdato +CantDisableYourself=Du kan ikke deaktivere din egen brugerpost +ForceUserExpenseValidator=Tving udgiftsrapportvalidering +ForceUserHolidayValidator=Tving orlov anmodning validator +ValidatorIsSupervisorByDefault=Som standard validatoren er supervisor for brugeren. Hold tom for at bevare denne opførsel. +UserPersonalEmail=Personlig e-mail +UserPersonalMobile=Personlig mobiltelefon diff --git a/htdocs/langs/da_DK/website.lang b/htdocs/langs/da_DK/website.lang index 5c24c6d503d..732d23cd523 100644 --- a/htdocs/langs/da_DK/website.lang +++ b/htdocs/langs/da_DK/website.lang @@ -2,7 +2,7 @@ Shortname=Kode WebsiteSetupDesc=Opret her de websteder, du vil bruge. Gå derefter ind i menuen Websites for at redigere dem. DeleteWebsite=Slet websted -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. +ConfirmDeleteWebsite=Er du sikker på, at du vil slette dette websted? Alle dens sider og indhold fjernes også. De filer, der uploades (ligesom i medias bibliotek, ECM-modulet, ...) forbliver. WEBSITE_TYPE_CONTAINER=Type side / container WEBSITE_PAGE_EXAMPLE=Webside til brug som eksempel WEBSITE_PAGENAME=Sidens navn / alias @@ -13,10 +13,11 @@ WEBSITE_CSS_INLINE=CSS-fil indhold (fælles for alle sider) WEBSITE_JS_INLINE=Javascript fil indhold (fælles for alle sider) WEBSITE_HTML_HEADER=Tilføjelse nederst på HTML-overskrift (fælles for alle sider) WEBSITE_ROBOT=Robotfil (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. +WEBSITE_HTACCESS=Websted .htaccess fil +WEBSITE_MANIFEST_JSON=Webstedets manifest.json fil +WEBSITE_README=README.md fil +WEBSITE_KEYWORDSDesc=Brug et komma til at adskille værdier +EnterHereLicenseInformation=Indtast her metadata eller licensinformation for at arkivere en README.md-fil. hvis du distribuerer dit websted som en skabelon, vil filen blive inkluderet i fristelsespakken. HtmlHeaderPage=HTML-overskrift (kun for denne side) PageNameAliasHelp=Navnet eller aliaset på siden.
Dette alias bruges også til at oprette en SEO-URL, når webstedet er kørt fra en virtuel vært på en webserver (som Apacke, Nginx, ...). Brug knappen " %s " for at redigere dette alias. EditTheWebSiteForACommonHeader=Bemærk: Hvis du vil definere en personlig "Header" for alle sider, skal du redigere din "Header" på website niveau i stedet for på siden / containeren. @@ -42,14 +43,14 @@ ViewPageInNewTab=Se side i ny fane SetAsHomePage=Angiv som hjemmeside RealURL=Rigtig webadresse ViewWebsiteInProduction=Se websitet ved hjælp af hjemmesider -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost=Brug med Apache / NGinx / ...
Opret på din webserver (Apache, Nginx, ...) en dedikeret virtuel vært med PHP aktiveret og et rodkatalog på
%s +ExampleToUseInApacheVirtualHostConfig=Eksempel til brug i Apache virtuel værtopsætning: YouCanAlsoTestWithPHPS= Brug med PHP-integreret server
På udvikler miljø kan du helst prøve webstedet med den indbyggede PHP-server (PHP 5.5 påkrævet) ved at køre
php -S 0.0. 0,0: 8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org +YouCanAlsoDeployToAnotherWHP=Kør dit websted med en anden Dolibarr Hosting-udbyder
Hvis du ikke har en webserver som Apache eller NGinx tilgængelig på internettet, kan du eksportere og importere dit websted til en anden Dolibarr-instans leveret af en anden Dolibarr-hostingudbyder, der giver fuld integration med webstedet modul. Du kan finde en liste over nogle Dolibarr-hostingudbydere på https://saas.dolibarr.org CheckVirtualHostPerms=Kontroller også, at den virtuelle vært har tilladelse %s på filer til
%s ReadPerm=Læs WritePerm=Skriv -TestDeployOnWeb=Test/deploy on web +TestDeployOnWeb=Test / implementer på nettet PreviewSiteServedByWebServer= Se %s i en ny fane.

%s vil blive serveret af en ekstern webserver (som Apache, Nginx, IIS). Du skal installere og konfigurere denne server før du peger på biblioteket:
%s
URL serveret af ekstern server:
%s PreviewSiteServedByDolibarr= Preview %s i en ny fane.

%s vil blive serveret af Dolibarr server, så det behøver ikke nogen ekstra webserver (som Apache, Nginx, IIS), der skal installeres. < br> Ubelejligt er, at webadressen på sider ikke er brugervenlige og begynder med din Dolibarr-sti.
URL betjent af Dolibarr:
%s

Sådan bruger du din egen ekstern webserver til at tjene dette websted, opret en virtuel vært på din webserver, der peger på biblioteket
%s , og indtast derefter navnet på denne virtuelle server og klik på den anden preview-knap . VirtualHostUrlNotDefined=URL til den virtuelle vært, der serveres af en ekstern webserver, der ikke er defineret @@ -57,10 +58,10 @@ NoPageYet=Ingen sider endnu YouCanCreatePageOrImportTemplate=Du kan oprette en ny side eller importere en fuld hjemmeside skabelon SyntaxHelp=Hjælp til specifikke syntax tips YouCanEditHtmlSourceckeditor=Du kan redigere HTML-kildekode ved hjælp af knappen "Kilde" i editoren. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Du kan inkludere PHP-kode i denne kilde vha. Tags <?php ?>. Følgende globale variabler er tilgængelige: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

Du kan også medtage indholdet af en anden side / container med følgende syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

Du kan foretage en omdirigering til en anden side / beholder med følgende syntaks (Bemærk: udsend ikke noget indhold før en omdirigering):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

Brug syntaksen for at tilføje et link til en anden side:
<a href="alias_of_page_to_link_to.php">mylink<a>

Hvis du vil inkludere et link til download af en fil, der er gemt i dokumentbiblioteket, skal du bruge document.php wrapper:
Eksempel for en fil i dokumenter / ecm (skal logges), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For en fil i dokumenter / medier (åben mappe til offentlig adgang), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For en fil, der deles med et delingslink (åben adgang ved hjælp af deling af hash-nøglen til filen), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

Hvis du vil inkludere et billede gemt i dokumentmappen, skal du bruge viewimage.php wrapper:
Eksempel på et billede i dokumenter / medier (åben mappe til offentlig adgang), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

Flere eksempler på HTML eller dynamisk kode findes i wiki-dokumentationen
. ClonePage=Klon side / container CloneSite=Klon website -SiteAdded=Website added +SiteAdded=Hjemmeside tilføjet ConfirmClonePage=Indtast venligst kode / alias for ny side, og hvis det er en oversættelse af den klonede side. PageIsANewTranslation=Den nye side er en oversættelse af den aktuelle side? LanguageMustNotBeSameThanClonedPage=Du klon en side som en oversættelse. Sproget på den nye side skal være anderledes end sproget på kildesiden. @@ -74,18 +75,18 @@ ImportSite=Importer websider skabelon IDOfPage=Side Id Banner=Banner BlogPost=Blogindlæg -WebsiteAccount=Website account +WebsiteAccount=Websitetskonto WebsiteAccounts=Websitetskonti AddWebsiteAccount=Opret websitet konto -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Tilbage til listen til tredjepart DisableSiteFirst=Deaktiver hjemmesiden først MyContainerTitle=Min hjemmeside titel -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... +AnotherContainer=Sådan inkluderer du indhold på en anden side / beholder (du har muligvis en fejl her, hvis du aktiverer dynamisk kode, fordi den indlejrede underbeholder muligvis ikke findes) +SorryWebsiteIsCurrentlyOffLine=Beklager, dette websted er i øjeblikket offline. Kom tilbage senere ... WEBSITE_USE_WEBSITE_ACCOUNTS=Aktivér webstedets kontobord -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktivér tabellen til at gemme webstedskonti (login / pass) for hver webside / tredjepart YouMustDefineTheHomePage=Du skal først definere standard startside -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Advarsel: Oprettelse af en webside ved at importere en ekstern webside er forbeholdt erfarne brugere. Afhængigt af kildesidens kompleksitet kan resultatet af importen afvige fra originalen. Hvis kildesiden bruger almindelige CSS-stilarter eller modstridende javascript, kan det muligvis ødelægge udseendet eller funktionerne på webstededitoren, når du arbejder på denne side. Denne metode er en hurtigere måde at oprette en side på, men det anbefales at oprette din nye side fra bunden eller fra en foreslået sideskabelon. Bemærk også, at inlineeditoren muligvis ikke fungerer korrekt, når den bruges på en ekstern side, der gribes. OnlyEditionOfSourceForGrabbedContent=Kun udgave af HTML-kilde er mulig, når indhold blev taget fra et eksternt websted GrabImagesInto=Grib også billeder fundet i css og side. ImagesShouldBeSavedInto=Billeder skal gemmes i biblioteket @@ -95,36 +96,39 @@ AliasPageAlreadyExists=Alias ​​side %s eksisterer allerede CorporateHomePage=Firmahjemmeside EmptyPage=Tom side ExternalURLMustStartWithHttp=Ekstern webadresse skal starte med http: // eller https: // -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Include dynamic content +ZipOfWebsitePackageToImport=Upload Zip-filen i webstedsskabelonpakken +ZipOfWebsitePackageToLoad=eller vælg en tilgængelig indbygget websteds skabelonpakke +ShowSubcontainers=Inkluder dynamisk indhold InternalURLOfPage=Intern webadresse for siden -ThisPageIsTranslationOf=This page/container is a translation of +ThisPageIsTranslationOf=Denne side / container er en oversættelse af ThisPageHasTranslationPages=Denne side / container har oversættelse -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

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

Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content +NoWebSiteCreateOneFirst=Der er ikke oprettet noget websted endnu. Opret en først. +GoTo=Gå til +DynamicPHPCodeContainsAForbiddenInstruction=Du tilføjer dynamisk PHP-kode, der indeholder PHP-instruktionen '%s', der som standard er forbudt som dynamisk indhold (se skjulte indstillinger WEBSITE_PHP_ALLOW_xxx for at øge listen over tilladte kommandoer). +NotAllowedToAddDynamicContent=Du har ikke tilladelse til at tilføje eller redigere PHP dynamisk indhold i hjemmesider. Spørg tilladelse eller bare opbevar kode i php-tags umodificeret. +ReplaceWebsiteContent=Søg eller erstat webstedsindhold +DeleteAlsoJs=Slet også alle javascript filer er specifikke for denne hjemmeside? +DeleteAlsoMedias=Slet du også alle mediefiler, der er specifikke for dette websted? +MyWebsitePages=Mine webside sider +SearchReplaceInto=Søg | Udskift i +ReplaceString=Ny string +CSSContentTooltipHelp=Indtast her CSS-indhold. For at undgå konflikt med applikationens CSS skal du sørge for at afhænge al erklæring med .bodywebsite-klassen. For eksempel:

#mycssselector, input.myclass: hover {...}
skal være
.bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

Bemærk: Hvis du har en stor fil uden dette præfiks, kan du bruge 'lessc' for at konvertere det til at tilføje .bodywebsite-præfikset overalt. +LinkAndScriptsHereAreNotLoadedInEditor=Advarsel: Dette indhold udsendes kun, når der er adgang til webstedet fra en server. Det bruges ikke i redigeringstilstand, så hvis du har brug for at indlæse javascript-filer også i redigeringsfunktion, skal du bare tilføje dit tag 'script src = ...' på siden. +Dynamiccontent=Eksempel på en side med dynamisk indhold ImportSite=Importer websider skabelon -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +EditInLineOnOff=Tilstand 'Rediger inline' er%s +ShowSubContainersOnOff=Tilstand til at udføre 'dynamisk indhold' er%s +GlobalCSSorJS=Global CSS / JS / Header-fil på webstedet +BackToHomePage=Tilbage til startsiden ... +TranslationLinks=Oversættelseslink +YouTryToAccessToAFileThatIsNotAWebsitePage=Du prøver at få adgang til en side, der ikke er tilgængelig.
(Ref =%s, type =%s, status =%s) +UseTextBetween5And70Chars=For god SEO-praksis skal du bruge en tekst mellem 5 og 70 tegn +MainLanguage=Hovedsprog +OtherLanguages=Andre sprog +UseManifest=Angiv en manifest.json-fil +PublicAuthorAlias=Offentlig forfatter alias +AvailableLanguagesAreDefinedIntoWebsiteProperties=Tilgængelige sprog er defineret i webstedets egenskaber +ReplacementDoneInXPages=Udskiftning udført i %s sider eller containere +RSSFeed=RSS Feed +RSSFeedDesc=Du kan få et RSS-feed af de nyeste artikler med typen 'blogpost' ved hjælp af denne URL +PagesRegenerated=%sside (r) / container (r) regenereret diff --git a/htdocs/langs/da_DK/withdrawals.lang b/htdocs/langs/da_DK/withdrawals.lang index 70e22a72d5e..df9ae442eb5 100644 --- a/htdocs/langs/da_DK/withdrawals.lang +++ b/htdocs/langs/da_DK/withdrawals.lang @@ -1,31 +1,47 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Betalingsordre for direkte debitering -SuppliersStandingOrdersArea=Direkte kredit betalingsordre område +CustomersStandingOrdersArea=Betalinger med direkte debit ordrer +SuppliersStandingOrdersArea=Betalinger med kredit overførsel StandingOrdersPayment=Betalingsordrer til direkte debitering StandingOrderPayment=Betalingsordre med "Direkte debit" NewStandingOrder=Ny direkte debitering +NewPaymentByBankTransfer=Ny betaling med kreditoverførsel StandingOrderToProcess=For at kunne behandle +PaymentByBankTransferReceipts=Kredit overførsels ordrer +PaymentByBankTransferLines=kredit overførsels ordrer Linjer WithdrawalsReceipts=Direkte debitordre WithdrawalReceipt=Direct debit order +BankTransferReceipts=Kreditoverførsels kvitteringer +BankTransferReceipt=Kreditoverførsels kvittering +LatestBankTransferReceipts=Seneste %s kredit overførsels ordrer LastWithdrawalReceipts=Seneste %s direkte debit-filer +WithdrawalsLine=Linje med direkte debitering +CreditTransferLine=Kreditoverførsels linje WithdrawalsLines=Direkte debitordre -RequestStandingOrderToTreat=Anmodning om betaling med direkte debitering for at behandle -RequestStandingOrderTreated=Forespørgsel om betaling med direkte debitering behandlet +CreditTransferLines=Kreditoverførsels linjer +RequestStandingOrderToTreat=Anmodninger om ordre med direkte debitering skal behandles +RequestStandingOrderTreated=Anmodninger om behandling af direkte debitering behandlet +RequestPaymentsByBankTransferToTreat=Anmodninger om overførsel af kredit til behandling +RequestPaymentsByBankTransferTreated=Anmodninger om kreditoverførsel behandlet NotPossibleForThisStatusOfWithdrawReceiptORLine=Ikke muligt endnu. Uddragsstatus skal indstilles til 'krediteret', før de erklærer afvisning på bestemte linjer. -NbOfInvoiceToWithdraw=Antal kvalificeret faktura med ventende direkte debitering +NbOfInvoiceToWithdraw=Antal kvalificerede kundefakturaer med ventende direkte debiteringsordre NbOfInvoiceToWithdrawWithInfo=Antal kundefakturaer med ordrer med direkte debitering, der har defineret bankkontooplysninger +NbOfInvoiceToPayByBankTransfer=Antal kvalificerede leverandørfakturaer, der venter på betaling via kreditoverførsel +SupplierInvoiceWaitingWithdraw=Leverandør faktura, der venter på betaling via kreditoverførsel InvoiceWaitingWithdraw=Faktura venter på direkte debitering +InvoiceWaitingPaymentByBankTransfer=Faktura venter på kreditoverførsel AmountToWithdraw=Beløb til at trække -WithdrawsRefused=Direkte debitering afvist -NoInvoiceToWithdraw=Ingen kundefaktura med åbne 'Debitforespørgsler' venter. Gå på fanen '%s' på faktura kort for at fremsætte en anmodning. -ResponsibleUser=User Responsible +NoInvoiceToWithdraw=Der venter ingen faktura, der er åben for '%s'. Gå til fanen '%s' på fakturakort for at anmode om. +NoSupplierInvoiceToWithdraw=Ingen leverandør faktura med åbne 'direkte kredit anmodninger' venter. Gå til fanen '%s' på fakturakort for at anmode om. +ResponsibleUser=Brugeransvarlig WithdrawalsSetup=Indbetaling af direkte debitering +CreditTransferSetup=Crebit overførselsopsætning WithdrawStatistics=Betalingsstatistik for direkte debitering -WithdrawRejectStatistics=Direkte debitering betaling afviser statistikker +CreditTransferStatistics=Kreditoverførselsstatistik +Rejects=Afviser LastWithdrawalReceipt=Seneste %s direkte debit kvitteringer MakeWithdrawRequest=Lav en anmodning om direkte debitering WithdrawRequestsDone=%s anmodninger om direkte debitering indbetalt -ThirdPartyBankCode=Third-party bank code +ThirdPartyBankCode=Tredjeparts bankkode NoInvoiceCouldBeWithdrawed=Ingen faktura debiteres med succes. Kontroller, at fakturaer er på virksomheder med en gyldig IBAN, og at IBAN har en UMR (Unique Mandate Reference) med tilstanden %s . ClassCredited=Klassificere krediteres ClassCreditedConfirm=Er du sikker på at du vil klassificere denne tilbagetrækning modtagelse som krediteres på din bankkonto? @@ -34,7 +50,9 @@ TransMetod=Metode Transmission Send=Send Lines=Lines StandingOrderReject=Udstedelse en forkaste +WithdrawsRefused=Direkte debitering afvist WithdrawalRefused=Udbetalinger Refuseds +CreditTransfersRefused=Kreditoverførsler nægtede WithdrawalRefusedConfirm=Er du sikker på du vil indtaste en tilbagetrækning afvisning for samfundet RefusedData=Dato for afvisning RefusedReason=Årsag til afvisning @@ -50,7 +68,7 @@ StatusMotif0=Uspecificeret StatusMotif1=Levering insuffisante StatusMotif2=Tirage conteste StatusMotif3=Ingen betaling med direkte debitering -StatusMotif4=Sales Order +StatusMotif4=Salgsordre StatusMotif5=RIB inexploitable StatusMotif6=Konto uden balance StatusMotif7=Retslig afgørelse @@ -58,6 +76,8 @@ StatusMotif8=Andre grunde CreateForSepaFRST=Opret direkte debit fil (SEPA FRST) CreateForSepaRCUR=Opret direkte debitering fil (SEPA RCUR) CreateAll=Opret direkte debitfil (alle) +CreateFileForPaymentByBankTransfer=Opret kreditoverførsel (alle) +CreateSepaFileForPaymentByBankTransfer=Opret kreditoverførselsfil (SEPA) CreateGuichet=Kun kontor CreateBanque=Kun bank OrderWaiting=Venter på behandling @@ -66,20 +86,21 @@ NotifyCredit=Tilbagetrækning Credit NumeroNationalEmetter=National Transmitter Antal WithBankUsingRIB=For bankkonti ved hjælp af RIB WithBankUsingBANBIC=For bankkonti ved hjælp af IBAN / BIC / SWIFT -BankToReceiveWithdraw=Receiving Bank Account +BankToReceiveWithdraw=Modtagelse af bankkonto +BankToPayCreditTransfer=Bankkonto brugt som betalingskilde CreditDate=Kredit på WithdrawalFileNotCapable=Kan ikke generere tilbagekøbskvitteringsfil for dit land %s (Dit land understøttes ikke) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. +ShowWithdraw=Vis direkte debiteringsordre +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Hvis fakturaen dog har mindst en betalingsordre til direkte debitering, der endnu ikke er behandlet, indstilles den ikke til at blive betalt for at tillade forudgående udtræksstyring. DoStandingOrdersBeforePayments=Denne fane giver dig mulighed for at anmode om en ordrebetalingsordre. Når du er færdig, skal du gå ind i menuen Bank-> Direkte debiteringsordrer for at administrere ordren med direkte debitering. Når betalingsordren er lukket, registreres betaling på faktura automatisk, og fakturaen lukkes, hvis resten skal betales, er null. WithdrawalFile=Udtagelsesfil SetToStatusSent=Sæt til status "Fil sendt" -ThisWillAlsoAddPaymentOnInvoice=Dette registrerer også betalinger til fakturaer og klassificerer dem som "Betalt", hvis der fortsat skal betales, er null +ThisWillAlsoAddPaymentOnInvoice=Dette registrerer også betalinger på fakturaer og klassificerer dem som "Betalt", hvis resterende betaling er null StatisticsByLineStatus=Statistikker efter status af linjer -RUM=Unique Mandate Reference (UMR) -DateRUM=Mandate signature date +RUM=UMR +DateRUM=Mandat underskrift dato RUMLong=Unik Mandat Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. +RUMWillBeGenerated=Hvis tom, genereres en UMR (unik mandatreference), når bankkontooplysningerne er gemt. WithdrawMode=Direkte debiteringstilstand (FRST eller RECUR) WithdrawRequestAmount=Beløb for direkte debitering: WithdrawRequestErrorNilAmount=Kunne ikke oprette direkte debitering for tomt beløb. @@ -88,13 +109,13 @@ SepaMandateShort=SEPA-mandat PleaseReturnMandate=Ret venligst denne mandatformular via e-mail til %s eller pr. Mail til SEPALegalText=Ved at underskrive denne mandatformular bemyndiger du (A) %s at sende instruktioner til din bank for at debitere din konto og (B) din bank at debitere din konto i overensstemmelse med instruktionerne fra %s. Som en del af dine rettigheder har du ret til refusion fra din bank i henhold til vilkårene for din aftale med din bank. En refusion skal kræves inden for 8 uger fra den dato, hvor din konto blev debiteret. Dine rettigheder vedrørende ovennævnte mandat forklares i en erklæring, som du kan få fra din bank. CreditorIdentifier=Kreditoridentifikator -CreditorName=Creditor Name +CreditorName=Kreditors navn SEPAFillForm=(B) Udfyld venligst alle felter markeret * SEPAFormYourName=Dit navn SEPAFormYourBAN=Dit bankkonto navn (IBAN) SEPAFormYourBIC=Din bankidentifikator kode (BIC) SEPAFrstOrRecur=Betalings type -ModeRECUR=Recurring payment +ModeRECUR=Tilbagevendende betaling ModeFRST=Engangsbetaling PleaseCheckOne=Tjek venligst kun en DirectDebitOrderCreated=Direkte debitering %s oprettet @@ -103,10 +124,10 @@ SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST ExecutionDate=Udførelsesdato CreateForSepa=Opret direkte debitering fil -ICS=Creditor Identifier CI -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date +ICS=Kreditor identifikator CI +END_TO_END=SEPA XML-tag "EndToEndId" - Unikt id tildelt pr. Transaktion +USTRD="Ustruktureret" SEPA XML-tag +ADDDAYS=Tilføj dage til udførelsesdato ### Notifications InfoCreditSubject=Betaling af betaling med direkte debitering %s af banken diff --git a/htdocs/langs/da_DK/workflow.lang b/htdocs/langs/da_DK/workflow.lang index 7dec31d397f..1da27b225ad 100644 --- a/htdocs/langs/da_DK/workflow.lang +++ b/htdocs/langs/da_DK/workflow.lang @@ -1,20 +1,20 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=Workflow-modul opsætning -WorkflowDesc=Dette modul er designet til at ændre adfærd fra automatiske handlinger til applikation. Som standard er workflow åben (du kan gøre ting i den rækkefølge, du ønsker). Du kan aktivere de automatiske handlinger, du er interesseret i. +WorkflowDesc=Dette modul giver nogle automatiske handlinger. Som standard er arbejdsprocessen åben (du kan gøre ting i den ønskede rækkefølge), men her kan du aktivere nogle automatiske handlinger. ThereIsNoWorkflowToModify=Der er ingen arbejdsgang ændringer tilgængelige med de aktiverede moduler. # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Opret automatisk en kundeordre efter at et kommercielt forslag er underskrevet (ny ordre vil have samme beløb som forslag) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura, når et tilbud er blevet underskrevet (den nye faktura vil få overført beløb fra tilbuddet) -descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura efter en kontrakt er valideret -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura efter en kundeordre er lukket (ny faktura vil have samme beløb som ordre) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Opret automatisk en salgsordre, når et kommercielt forslag er underskrevet (den nye ordre har samme beløb som forslaget) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura, når et kommercielt forslag er underskrevet (den nye faktura vil have samme beløb som forslaget) +descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura efter en kontrakt er bekræftet +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Opret automatisk en kundefaktura, når en salgsordre er lukket (den nye faktura har samme beløb som ordren) # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klassificer tilsluttede kildeforslag (er) for fakturering, når kundeservicen er indstillet til fakturering (og hvis størrelsen af ​​ordren er den samme som det samlede beløb af underskrevne linkede forslag) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klassificer sammekædet kildeforslag(er) til fakturering, når kundefakturaen er valideret (og hvis fakturaens størrelse er den samme som det samlede beløb af underskrevne linkede forslag) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassificer sammekædet kundeordre(r) til fakturering, når kunde fakturaen er valideret (og hvis fakturaens størrelse er den samme som det samlede antal sammenkædede ordrer) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassificer sammekædet kundeordre(r) til fakturering, når kundens faktura er sat til betaling (og hvis antal af faktura er den samme som det samlede antal sammekædet ordrer) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassificer sammekædet kilde kundeordre til afsendelse, når en forsendelse er valideret (og hvis mængden afsendt af alle forsendelser er den samme som i den rækkefølge, der skal opdateres) -# Autoclassify supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Klassificer linket kildeforslag som faktureret, når salgsordren er indstillet til faktureret (og hvis ordrens størrelse er det samme som det samlede beløb for det underskrevne linkede forslag) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Klassificer tilsluttet kildeforslag som faktureret, når kundefakturaen er bekræftet (og hvis fakturaens størrelse er det samme som det samlede beløb for det underskrevne linkede forslag) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassificer den tilknyttede kildes salgsordre, som faktureres, når kundefakturaen er valideret (og hvis fakturabeløbet er det samme som det samlede beløb for den tilknyttede ordre) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassificer den tilknyttede kildes salgsordre, som faktureres, når kundefakturaen er indstillet til betalt (og hvis fakturaforholdet er det samme som det samlede beløb for den tilknyttede ordre) +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassificer den tilknyttede kildes salgsordre, som sendes, når en forsendelse er valideret (og hvis den mængde, der er sendt af alle forsendelser, er den samme som i opdateringsordren) +# Autoclassify purchase order +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klassificer tilsluttet kildeleverandørforslag som faktureret, når leverandørfakturaen er bekræftet (og hvis fakturaens størrelse er det samme som det samlede beløb for det linkede forslag) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klassificer købt købsordre med kilden som faktureret, når leverandørfakturaen er bekræftet (og hvis fakturaens størrelse er den samme som det samlede beløb for den tilknyttede ordre) AutomaticCreation=Automatisk oprettelse AutomaticClassification=Automatisk klassificering diff --git a/htdocs/langs/da_DK/zapier.lang b/htdocs/langs/da_DK/zapier.lang index 6d6eda71313..81c99c875b9 100644 --- a/htdocs/langs/da_DK/zapier.lang +++ b/htdocs/langs/da_DK/zapier.lang @@ -18,11 +18,11 @@ # # Module label 'ModuleZapierForDolibarrName' -ModuleZapierForDolibarrName = Zapier for Dolibarr +ModuleZapierForDolibarrName = Zapier til Dolibarr # Module description 'ModuleZapierForDolibarrDesc' -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module +ModuleZapierForDolibarrDesc = Zapier til Dolibarr-modul # # Admin page # -ZapierForDolibarrSetup = Setup of Zapier for Dolibarr +ZapierForDolibarrSetup = Opsætning af Zapier til Dolibarr diff --git a/htdocs/langs/de_AT/accountancy.lang b/htdocs/langs/de_AT/accountancy.lang index 2c29355cd9e..f2d0909a71e 100644 --- a/htdocs/langs/de_AT/accountancy.lang +++ b/htdocs/langs/de_AT/accountancy.lang @@ -1,4 +1,2 @@ # Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s MenuBankAccounts=Kontonummern diff --git a/htdocs/langs/de_AT/admin.lang b/htdocs/langs/de_AT/admin.lang index 21556732826..90e4efb502b 100644 --- a/htdocs/langs/de_AT/admin.lang +++ b/htdocs/langs/de_AT/admin.lang @@ -10,18 +10,65 @@ FileIntegrityIsStrictlyConformedWithReference=Die Integrität der Dateien ist st FileIntegrityIsOkButFilesWereAdded=Die Prüfung der Dateiintegrität wuerde bestanden, es wurden jedoch einige neue Dateien hinzugefügt. FileIntegritySomeFilesWereRemovedOrModified=Die Prüfung der Dateiintegrität ist fehlgeschlagen, es wurden einige Dateien verändert, gelöscht oder hinzugefügt. GlobalChecksum=Globale Prüfsumme +MakeIntegrityAnalysisFrom=Führen eine Integritätsanalyse von Anwendungsdateien aus +LocalSignature=Eingebettete lokale Signatur (weniger sicher) +FilesMissing=Fehlende Dateien +FilesUpdated=Aktualisierte Dateien +FilesModified=Geänderte Dateien +FilesAdded=Hinzugefügte Dateien SessionId=Sitzungsnummer SessionSaveHandler=Sessionmanager YourSession=Ihre Anmeldung +Sessions=Benutzeranmeldungen +DolibarrSetup=Dolibarr installieren oder aktualisieren InternalUser=interner Nutzer ExternalUser=externer Nutzer InternalUsers=interne Nutzer ExternalUsers=externe Nutzer GUISetup=Anischt +UploadNewTemplate=Neue Vorlage(n) hochladen +FormToTestFileUploadForm=Formular zum Testen des Datei-Uploads (je nach Einstellung) +DictionarySetup=Wörterbuch einrichten +Dictionary=Wörterbücher +UsePreviewTabs=Verwende Vorschauregister +ShowPreview=Vorschau zeigen +ThemeCurrentlyActive=Thema derzeit aktiv NextValue=Nächste Wert +NextValueForDeposit=Nächster Wert (Anzahlung) +ComptaSetup=Buchhaltungsmodul Einstellungen +MultiCurrencySetup=Einstellungen für mehrere Währungen +MenuLimits=Grenzen und Genauigkeit +MenuIdParent=ID des übergeordneten Menüs +DetailMenuIdParent=ID des übergeordneten Menüs (leer für ein Hauptmenü) +DetailPosition=Nummer sortieren, um die Menüposition zu definieren +NotConfigured=Modul / Anwendung nicht konfiguriert +OtherOptions=Andere Optionen +OtherSetup=Andere Einstellungen +ClientTZ=Client-Zeitzone (Benutzer) +ClientHour=Client-Zeit (Benutzer) +DaylingSavingTime=Sommerzeit +Language_en_US_es_MX_etc=Sprache (de_AT, en_UK, ...) +PurgeNothingToDelete=Kein Verzeichnis oder Dateien zum Löschen. +GenerateBackup=Erzeuge Datensicherung +Backup=Datensicherung +RunCommandSummary=Die Sicherung wurde mit dem folgenden Befehl gestartet +BackupResult=Ergebnis Datensicherung +YouCanDownloadBackupFile=Die generierte Datei kann jetzt heruntergeladen werden +NoBackupFileAvailable=Keine Sicherungsdateien verfügbar. +ExportMethod=Exportmethode +ImportMethod=Importmethode +FileNameToGenerate=Dateiname für die Sicherung: +Compression=Kompression +PostgreSqlExportParameters=PostgreSQL-Exportparameter +FullPathToMysqldumpCommand=Vollständiger Pfad zum mysqldump Befehl +NameColumn=Spalten benennen +AutoDetectLang=automatische Erkennung (Browsersprache) +FeatureDisabledInDemo=Funktion in der Demo deaktiviert +FeatureAvailableOnlyOnStable=Funktion nur für offiziell stabile Versionen verfügbar URL=URL oder Link Module50Name=Produkte und Services Module53Name=Dienstleistung +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module70Name=Eingriffe Module70Desc=Eingriffsverwaltung Module80Name=Sendungen @@ -84,12 +131,36 @@ DefaultSkin=Standardoberfläche CompanyCurrency=Firmenwährung WatermarkOnDraftInvoices=Wasserzeichen auf Rechnungsentwürfen (alle, falls leer) WatermarkOnDraftProposal=Wasserzeichen für Angebotsentwürfe (alle, falls leer) -WatermarkOnDraftOrders=Wasserzeichen zu den Entwürfen von Aufträgen (alle, wenn leer) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Fragen Sie nach dem Bestimmungsort des Bankkontos der Bestellung +WatermarkOnDraftOrders=Wasserzeichen zu den Auftragsentwürfen (keines wenn leer) InterventionsSetup=Eingriffsmoduleinstellungen FreeLegalTextOnInterventions=Freier Rechtstext für Eingriffe WatermarkOnDraftInterventionCards=Wasserzeichen auf Intervention Karte Dokumente (alle, wenn leer) +TemplatePDFContracts=Vorlage Vertragsdokument +FreeLegalTextOnContracts=Freier Text im Vertrag +WatermarkOnDraftContractCards=Wasserzeichen in Vertragsentwürfe (keines wenn leer) +MembersSetup=Modul Benutzereinstellung +MemberMainOptions=Hauptoptionen +AdherentLoginRequired=Verwalte Zugang für jedes Mitglied +AdherentMailRequired=Email erforderlich zum erstellen eines neuen Mitglieds +LDAPContactsSynchro=Kontakt +LDAPMembersTypesSynchro=Mitgliedertypen +LDAPSynchronization=LDAP Synchronisierung +LDAPFunctionsNotAvailableOnPHP=LDAP Funktionen nicht verfügbar in Deinem PHP +LDAPFieldFullname=vollständiger Name ClickToDialSetup=Click-to-Dial-Moduleinstellungen MailToSendShipment=Sendungen MailToSendIntervention=Eingriffe -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +MAIN_OPTIMIZEFORCOLORBLINDDesc=Aktiviere diese Option wenn Sie Farbenblind sind, in machen Fällen wird die Farbeinstellung geändert um den Kontrast zu erhöhen. +IfTrackingIDFoundEventWillBeLinked=Beachten Sie, dass das Ereignis automatisch mit den zugehörigen Objekten verknüpft wird, wenn in der eingehenden E-Mail eine Tracking-ID gefunden wird. +WithGMailYouCanCreateADedicatedPassword=Wenn Sie bei einem GMail-Konto die Überprüfung in zwei Schritten aktiviert haben, wird empfohlen, ein dediziertes zweites Kennwort für die Anwendung zu erstellen, anstatt Ihr eigenes Kontokennwort von https://myaccount.google.com/ zu verwenden. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. +EndPointFor=Endpunkt für %s: %s +DeleteEmailCollector=E-Mail-Sammler löschen +ConfirmDeleteEmailCollector=Möchten Sie diesen E-Mail-Sammler wirklich löschen? +AtLeastOneDefaultBankAccountMandatory=Es muss mindestens 1 Standardbankkonto definiert sein +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 diff --git a/htdocs/langs/de_AT/bills.lang b/htdocs/langs/de_AT/bills.lang index 0a3f17e463f..1bcce6a96fe 100644 --- a/htdocs/langs/de_AT/bills.lang +++ b/htdocs/langs/de_AT/bills.lang @@ -21,7 +21,6 @@ ValidateInvoice=Validate Rechnung DisabledBecausePayments=Nicht möglich, da gibt es einige Zahlungen CantRemovePaymentWithOneInvoicePaid=Kann die Zahlung nicht entfernen, da es zumindest auf der Rechnung bezahlt klassifiziert PayedByThisPayment=Bezahlt durch diese Zahlung -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template TerreNumRefModelDesc1=Zurück NUMERO mit Format %syymm-nnnn für Standardrechnungen und syymm%-nnnn für Gutschriften, wo ist JJ Jahr, MM Monat und nnnn ist eine Folge ohne Pause und keine Rückkehr auf 0 TypeContact_facture_internal_SALESREPFOLL=Repräsentative Follow-up Debitorenrechnung TypeContact_facture_external_BILLING=Debitorenrechnung Kontakt diff --git a/htdocs/langs/de_AT/mails.lang b/htdocs/langs/de_AT/mails.lang index b35707a956c..3c3f69af33e 100644 --- a/htdocs/langs/de_AT/mails.lang +++ b/htdocs/langs/de_AT/mails.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - mails MailTitle=Beschreibung MailText=Nachricht -MailMessage=E-Mail-Text ResetMailing=E-Mail-Kampagne erneut senden MailingStatusValidated=Bestätigt CloneContent=Nachricht duplizieren diff --git a/htdocs/langs/de_AT/main.lang b/htdocs/langs/de_AT/main.lang index ece7dff5b9f..545ae518ec7 100644 --- a/htdocs/langs/de_AT/main.lang +++ b/htdocs/langs/de_AT/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias NoRecordFound=Kein Eintrag gefunden NoRecordDeleted=Kein Eintrag gelöscht NoError=Kein Fehler @@ -81,5 +82,6 @@ ViewList=Liste anzeigen RelatedObjects=Ähnliche Dokumente Calendar=Kalender Events=Termine +SearchIntoContacts=Kontakt SearchIntoInterventions=Eingriffe AssignedTo=zugewisen an diff --git a/htdocs/langs/de_AT/members.lang b/htdocs/langs/de_AT/members.lang index 9ff5217804d..fbbc8af7928 100644 --- a/htdocs/langs/de_AT/members.lang +++ b/htdocs/langs/de_AT/members.lang @@ -8,8 +8,9 @@ EndSubscription=Abonnementende SubscriptionId=Abonnement ID MemberId=Mitglieds ID MemberTypeId=Mitgliedsart ID -MemberStatusDraftShort=Entwurf +MembersTypes=Mitgliedertypen MemberStatusActiveLateShort=abgelaufen +MemberStatusNoSubscriptionShort=Bestätigt SubscriptionEndDate=Abonnementauslaufdatum SubscriptionLate=Versätet NewMemberType=Neues Mitgliedsrt diff --git a/htdocs/langs/de_AT/modulebuilder.lang b/htdocs/langs/de_AT/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/de_AT/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/de_AT/projects.lang b/htdocs/langs/de_AT/projects.lang index febb477ca2a..6a59986508c 100644 --- a/htdocs/langs/de_AT/projects.lang +++ b/htdocs/langs/de_AT/projects.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - projects +ProjectsImContactFor=Projects for I am explicitly a contact ProjectsPublicDesc=Diese Ansicht zeigt alle für Sie sichtbaren Projekte. ProjectsPublicTaskDesc=Diese Ansicht zeigt alle für Sie sichtbaren Aufgaben. ProjectsDesc=Diese Ansicht zeigt alle Projekte (Ihre Benutzerberechtigung erlaubt Ihnen eine volle Einsicht aller Projekte). diff --git a/htdocs/langs/de_AT/website.lang b/htdocs/langs/de_AT/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/de_AT/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/de_CH/accountancy.lang b/htdocs/langs/de_CH/accountancy.lang index 698820c59fe..1ee50a1a423 100644 --- a/htdocs/langs/de_CH/accountancy.lang +++ b/htdocs/langs/de_CH/accountancy.lang @@ -49,8 +49,6 @@ AccountancyAreaDescActionOnce=Folgende Aufgaben erledigst du normalerweise einma AccountancyAreaDescActionOnceBis=Die folgenden Einstellungen helfen dir, die Aufzeichnungen einfacher an Buchhaltungskonten zuzuweisen. AccountancyAreaDescActionFreq=Die Folgenden arbeiten erfolgen - je nach Unternehmensgrösse - monatlich, wöchentlich oder gar täglich. AccountancyAreaDescJournalSetup=Schritt %s: Prüfe die vorhandenen Journale im Menu %s und ergänze Sie bei Bedarf mit eigenen. -AccountancyAreaDescChartModel=Schritt %s: Wähle einen Kontenplan im Menu %s oder erstelle deinen eigenen. -AccountancyAreaDescChart=Schritt %s: Sieh die Buchhaltungskonten im Kontenplan im Menu %s ein und / oder erstelle weitere. AccountancyAreaDescVat=Schritt %s: Hinterlege die verschiedenen MWST Sätze im Menu%s. AccountancyAreaDescDefault=STEP %s: Hinterlege weitere Standard - Buchhaltungskonten im Menu %s. AccountancyAreaDescExpenseReport=Schritt %s: Hinterlege Buchhaltungskonten für alle Arten von Ausgaben in Spesenabrechnungen im Menu %s. @@ -214,6 +212,7 @@ ChangeBinding=Verknüpfung ändern Accounted=Im Hauptbuch eingetragen NotYetAccounted=Nicht im Hauptbuch eingetragen. ShowTutorial=Zeige die Anleitung +NotReconciled=Nicht ausgeglichen ApplyMassCategories=Massenänderung Kategorien AddAccountFromBookKeepingWithNoCategories=Vorhandenes Konto, dass keiner persönlichen Gruppe zugewiesen ist. CategoryDeleted=Die Kategorie des Buchhaltungskonto ist jetzt entfernt. @@ -238,7 +237,6 @@ Modelcsv_quadratus=Quadratus QuadraCompta - Format Modelcsv_ebp=EBP - Format Modelcsv_cogilog=EBP - Format Modelcsv_agiris=Agiris - Format -Modelcsv_LDCompta=Export zu LD Compta V9 und höher (Test) Modelcsv_openconcerto=Export zu OpenConcerto (Test) Modelcsv_configurable=Konfigurierbares CSV - Format Modelcsv_Sage50_Swiss=Export zu SAGE 50 - Schweiz diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index 44472f52343..36a7d11fb2f 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -4,6 +4,7 @@ VersionLastInstall=Erste installierte Version VersionLastUpgrade=Version der letzten Aktualisierung FileCheck=Datensatz - Intergritätsprüfung FileCheckDesc=Hier kannst du die Systemintegrität von Dolibarr prüfen. Dateien und Einstellungen werden mit den offiziellen Daten verglichen, plus einige Systemkonstanten. So siehst du, ob Dateien irgendwie verändert worden sind. +FileIntegrityIsStrictlyConformedWithReference=Datei-Integrität entspricht genau der Referenz. FileIntegrityIsOkButFilesWereAdded=Die Dateiüberprüfung ist abgschlossen. Dabei hab ich ein paar neue Dateien hizugefügt. FileIntegritySomeFilesWereRemovedOrModified=Datei-Integrität konnte NICHT bestätigt werden. Dateien wurden modifiziert, entfernt oder zugefügt. MakeIntegrityAnalysisFrom=Mache Integrität Analyse von Anwendungsdateien aus @@ -50,7 +51,6 @@ MySQLTimeZone=Aktuelle Zeitzone von MySql (Datenbank) TZHasNoEffect=Kalenderdaten werden als Text in der Datenbank abgelegt und ausgelesen. Die Datenbank - Zeitzone sollte so keinen Einfluss auf Dolibarr haben, auch wenn Sie nach Eingabe von Daten geändert wird. Nur wenn die UNIX_TIMESTAMP - Funktion verwendet wird, was man in Dolibarr nicht sollte, kann die Datenbank - Zeitzone Auswirkungen haben. Space=Raum NextValueForDeposit=Nächster Wert (Anzahlung) -MustBeLowerThanPHPLimit=Hinweis: Deine PHP Konfigurationslimite für Uploads ist aktuell %s %s pro Datei - unabhängig vom Wert dieses Parameters. NoMaxSizeByPHPLimit=Hinweis: In Ihren PHP-Einstellungen sind keine Grössenbeschränkungen hinterlegt MaxSizeForUploadedFiles=Maximale Grösse für Dateiuploads (0 verbietet jegliche Uploads) AntiVirusParam=Weitere Parameter auf der Kommandozeile @@ -104,7 +104,6 @@ NotCompatible=Dieses Modul scheint nicht mit Ihrer Dolibarr Version %s (Min %s - CompatibleAfterUpdate=Dieses Modul benötigt eine Update Ihrer Dolibarr Version %s (Min %s - Max %s). SeeInMarkerPlace=Siehe im Marktplatz GoModuleSetupArea=Binde via Menu "%s" weitere Module ein. -DoliPartnersDesc=Liste von Drittanbietern von Dolibarrmodulen.
Übrigens: Auch du kannst neue Module für Dolibarr in PHP entwickeln - Dolibarr ist voll Open Source. WebSiteDesc=Auf diesen externen Homepages findest du weitere Dolibarr - Module. DevelopYourModuleDesc=Einige Lösungen um Ihr eigenes Modul zu entwickeln... BoxesActivated=Aktivierte Boxen @@ -159,6 +158,7 @@ UserEmail=Email des Benutzers CompanyEmail=Firmen - E-Mailadresse SubmitTranslation=Du hast Übersetzungsfehler gefunden? Hilf uns, indem du die Sprachdateien im Verzeichnis 'langs/%s' anpasst und die Verbesserungen auf "www.transifex.com/dolibarr-association/dolibarr/" einreichst. SubmitTranslationENUS=Sollte die Übersetzung für eine Sprache nicht vollständig sein oder Fehler beinhalten, können Sie die entsprechenden Sprachdateien im Verzeichnis langs/%s bearbeiten und anschliessend Ihre Änderungen an dolibarr.org/forum oder für Entwickler auf github.com/Dolibarr/dolibarr. übertragen. +ModulesSetup=Modul-/Applikationseinstellung ModuleFamilySrm=Lieferantenbeziehungsmanagement (VRM) ModuleFamilyProducts=Produktmanagement (PM) ModuleFamilyHr=Personalverwaltung (PM) @@ -223,7 +223,6 @@ ExtrafieldPassword=Passwort ExtrafieldRadio=Einfachauswahl (Radiobuttons) ExtrafieldCheckBox=Kontrollkästchen ExtrafieldCheckBoxFromList=Kontrollkästchen aus Tabelle -ComputedFormulaDesc=Du kannst hier Formeln mit weiteren Objekteigenschaften oder in PHP eingeben, um dynamisch berechnete Werte zu generieren. Alle PHP konformen Formeln sind erlaubt inkl dem Operator "?:" und folgende globale Objekte:$db, $conf, $langs, $mysoc, $user, $object.
Obacht: Vielleicht sind nur einige Eigenschaften von $object verfügbar. Wenn dir eine Objekteigenschaft fehlt, packe das gesamte Objekt einfach in deine Formel, wie im Beispiel zwei.
"Computed field" heisst, du kannst nicht selber Werte eingeben. Wenn Syntakfehler vorliegen, liefert die Formel ggf. gar nichts retour.

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

Beispiel zum Neuladen eines Objektes
(($reloadedobj = new Societe($db)) && ($reloadedobj->fetch($obj->id ? $obj->id : ($obj->rowid ? $obj->rowid : $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5 : '-1'

Eine Weitere Variante zum erzwungenen Neuladen des Objekts und seiner Eltern:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Übergeordnetes Projekt nicht gefunden...' Computedpersistent=Berechnetes Feld speichern ComputedpersistentDesc=Berechnete Extra Felder werden in die Datenbank geschrieben. Allerdings werden sie nur neu berechnet, wenn das Objekt des Feldes verändert wird. Wenn das Feld also von Objekten oder globalen Werten abhängt, kann sein Wert daneben sein. ExtrafieldParamHelpPassword=Wenn leer, wird das Passwort unverschlüsselt geschrieben.
Gib 'auto' an für die Standardverschlüsselung - es wird nur der Hash ausgelesen und man kann das Passwort unmöglich herausfinden. @@ -232,7 +231,7 @@ ExtrafieldParamHelpcheckbox=Die Liste muss im Format: Schlüssel, Wert sein (wob ExtrafieldParamHelpradio=Die Liste muss im Format: Schlüssel, Wert sein (wobei der Schlüssel nicht '0' sein kann)

zum Beispiel:
1, Wert1
2, Wert2
3, Wert3
... LibraryToBuildPDF=Verwendete Bibliothek zur PDF-Erzeugung SetAsDefault=Als Standard definieren -BarcodeInitForthird-parties=Barcode Init. für alle Partner +BarcodeInitForThirdparties=Barcode Init. für alle Partner BarcodeInitForProductsOrServices=Alle Strichcodes für Produkte oder Services initialisieren oder zurücksetzen EraseAllCurrentBarCode=Alle aktuellen Barcode-Werte löschen ConfirmEraseAllCurrentBarCode=Wirklich alle aktuellen Barcode-Werte löschen? @@ -279,6 +278,7 @@ Module50Desc=Produkteverwaltung Module52Name=Produktbestände Module53Desc=Dienstleistungen Module54Name=Verträge/Abonnements +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Debit - Zahlungen Module70Name=Arbeitseinsätze Module80Name=Auslieferungen @@ -407,6 +407,7 @@ MenuCompanySetup=Firma / Organisation MessageOfDay=Nachricht des Tages CompanyInfo=Firma / Organisation CompanyZip=PLZ +CompanyCountry=Land DoNotSuggestPaymentMode=Nicht vorschlagen SetupDescription1=Der Setupbereich erlaubt das konfigurieren ihrer Dolibarr Installation vor der ersten Verwendung. InfoDolibarr=Infos Dolibarr @@ -461,6 +462,7 @@ LDAPMemberDnExample=Complete DN (ex: ou=members,dc=society,dc=Vollständige DN ( LDAPTestSynchroGroup=Gruppenynchronisation testen LDAPTestSynchroMember=Mitgliederynchronisation testen LDAPFieldAddress=Strasse +LDAPFieldCountry=Land LDAPDescValues=Die Beispielwerte für OpenLDAP verfügen über folgende Muster: core.schema, cosine.schema, inetorgperson.schema. Wenn Sie diese Werte für OpenLDAP verwenden möchten, passen Sie bitte die LDAP-Konfigurationsdateu slapd.conf entsprechend an, damit all diese Muster geladen werden. ApplicativeCache=Applicative Cache MemcachedNotAvailable=Kein Cache Anwendung gefunden. \nSie können die Leistung durch die Installation des Cache-Server Memcached und die Aktivierung des Anwendungs Cache Modul\n
hier mehr Informationen http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
\nverbessern.\nBeachten Sie, dass viele Billig-Provider keine solche Cache-Server in ihrer Infrastruktur anbieten. @@ -476,8 +478,11 @@ ErrorUnknownSyslogConstant=Konstante %s ist nicht als Protkoll-Konstante definie CompressSyslogs=Hier kannst du Logdateien sichern. BarcodeSetup=Barcode-Einstellungen BarcodeEncodeModule=Barcode-Erstellungsmodul +ChooseABarCode=Wählen sie einen Barcode +FormatNotSupportedByGenerator=Dieses Format wird von gewählten Barcode-Generator nicht unterstützt BarcodeDescDATAMATRIX=Barcodeformat Datamatrix BarcodeDescQRCODE=Barcodetyp QR Code +BarcodeInternalEngine=interne Engine MailingEMailFrom=Absender E-Mail (From:) des Versandmoduls NotificationSetup=E-Mail Benachrichtigunen konfigurieren NotificationEMailFrom=Absender E-Mail (From:) des Benachrichtigungsmoduls @@ -494,9 +499,11 @@ CashDeskSetup=Modul Kasse (POS) einrichten BookmarkSetup=Lesezeichenmoduleinstellungen NbOfBoomarkToShow=Maximale Anzeigeanzahl Lesezeichen im linken Menü ApiSetup=API-Modul-Setup +BankOrderESDesc=Spanisch Anzeigereihenfolge ChequeReceiptsNumberingModule=Modul Cheques - Verwaltung MultiCompanySetup=Multi-Company-Moduleinstellungen SuppliersSetup=Modul Lieferanten einrichten +TestGeoIPResult=Test einer Umwandlung IP -> Land TasksNumberingModules=Aufgaben-Nummerierungs-Modul NbMajMin=Mindestanzahl Grossbuchstaben TemplatePDFExpenseReports=Dokumentvorlagen zur Spesenabrechnung Dokument erstellen @@ -508,6 +515,7 @@ ConfFileMustContainCustom=Zur Installation eines externen Modules speichern Sie LinkColor=Linkfarbe MinimumNoticePeriod=Kündigungsfrist (Ihre Kündigung muss vor dieser Zeit erfolgen) NbAddedAutomatically=Anzahl Tage die den Benutzern jeden Monat automatisch dazuaddiert werden +TypeOfTemplate=Type der Vorlage MailToSendProposal=Angebote Kunde MailToSendOrder=Kundenbestellungen MailToSendIntervention=Arbeitseinsätze @@ -546,13 +554,13 @@ EMailHost=IMAP Server Host EmailCollectorConfirmCollectTitle=E-Mail - Sammeldienst Bestätigung NoNewEmailToProcess=Ich habe keinen neuen E-Mails (die zu den Filtern passen) abzuarbeiten. RecordEvent=E-Mail Ereignisse -NbOfEmailsInInbox=Anzahl E-Mails im Quellverzeichnis -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. ResourceSetup=Modul Ressourcen einrichten UseSearchToSelectResource=Zeige eine Suchmaske für Ressourcen, statt eine Drop-down - Liste DisabledResourceLinkUser=Verknüpfungsmöglichkeit zwischen Ressource und Benutzer unterbinden. DisabledResourceLinkContact=Verknüpfungsmöglichkeit zwischen Ressource und Kontakt unterbinden. ConfirmUnactivation=Bestätige das Zurücksetzen des Moduls. ExportSetup=Modul Daten-Export einrichten +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. FeatureNotAvailableWithReceptionModule=Diese Funktion ist nicht verfügbar, wenn das Modul 'Lieferungen' aktiv ist diff --git a/htdocs/langs/de_CH/agenda.lang b/htdocs/langs/de_CH/agenda.lang index f28d248930f..a3b8a81a70b 100644 --- a/htdocs/langs/de_CH/agenda.lang +++ b/htdocs/langs/de_CH/agenda.lang @@ -35,6 +35,7 @@ PRODUCT_MODIFYInDolibarr=Produkt %s bearbeitet HOLIDAY_CREATEInDolibarr=Ferienantrag %s erzeugt HOLIDAY_MODIFYInDolibarr=Ferienantrag %s geändert HOLIDAY_APPROVEInDolibarr=Ferienantrag %s frei gegeben +HOLIDAY_VALIDATEInDolibarr=Ferienantrag %s bestätigt HOLIDAY_DELETEInDolibarr=Ferienantrag %s gelöscht EXPENSE_REPORT_CREATEInDolibarr=Spesenabrechnung %s erzeugt EXPENSE_REPORT_VALIDATEInDolibarr=Spesenabrechnung %s geprüft @@ -58,6 +59,7 @@ AgendaUrlOptionsNotAdmin=logina=!%s ,zum Aktionen, die nicht vom Benutzer AgendaUrlOptions4=logint=%s ,um Einträge für dem Benutzer %s zugewiesene Aktionen anzuzeigen. AgendaUrlOptionsProject=project=__PROJECT_ID__ um Aktionen vom Projekt __PROJECT_ID__ anzuzeigen. AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto, um automatische Einträge auszublenden. +AgendaUrlOptionsIncludeHolidays=Setze includeholidays=1 um Ferien im Kalender anzuzeigen. AgendaHideBirthdayEvents=Geburtstage von Kontakten verstecken ExtSitesEnableThisTool=Externe Kalender gemäss systemweiten Einstellungen anzeigen. Externe Kalender, die Benutzer definiert haben, sind davon nicht betroffen. DateActionBegin=Beginnzeit des Ereignis diff --git a/htdocs/langs/de_CH/banks.lang b/htdocs/langs/de_CH/banks.lang index 32493713561..87e8f273527 100644 --- a/htdocs/langs/de_CH/banks.lang +++ b/htdocs/langs/de_CH/banks.lang @@ -16,8 +16,10 @@ SwiftValid=BIC/SWIFT gültig SwiftVNotalid=BIC/SWIFT ungültig IbanValid=BAN gültig IbanNotValid=BAN ungültig +StandingOrder=Bankeinzug / Lastschrift BankAccountDomiciliation=Bankadresse RIBControlError=Hoppla, die Kontoinformationen sind entweder unvollständig oder ungültig. Bitte Prüfe Land, Werte und IBAN. +LabelBankCashAccount=Bank- oder Kassebezeichnung AccountType=Kontoart AccountCard=Konto-Karte ConfirmDeleteAccount=Bist du sicher, dass du dieses Konto löschen willst? diff --git a/htdocs/langs/de_CH/bills.lang b/htdocs/langs/de_CH/bills.lang index be42d507752..ea6a4b02a75 100644 --- a/htdocs/langs/de_CH/bills.lang +++ b/htdocs/langs/de_CH/bills.lang @@ -98,7 +98,6 @@ toPayOn=zahlbar am %s ExcessPaid=Bezahlter Überschuss SendBillRef=Einreichung der Rechnung %s SendReminderBillRef=Einreichung von Rechnung %s (Erinnerung) -StandingOrder=Bankeinzug / Lastschrift NoOtherDraftBills=Keine Rechnungsentwürfe Anderer RelatedRecurringCustomerInvoices=Verknüpfte wiederkehrende Kundenrechnung Reduction=Ermässigung @@ -158,7 +157,6 @@ PaymentTypeTRA=Bankcheck PaymentTypeShortTRA=Entwurf PaymentTypeShortFAC=Nachnahme DeskCode=Abteilungsnummer -BankAccountNumberKey=Prüfsumme IBANNumber=IBAN Nummer BICNumber=BIC / SWIFT Code ExtraInfos=Zusatzinformationen @@ -175,7 +173,6 @@ ChequesArea=Schecks ChequeDeposits=Scheckeinlagen NoteListOfYourUnpaidInvoices=Bitte beachten: Diese Liste enthält nur Rechnungen für Geschäftspartner, bei denen Sie als Vertreter angegeben sind. YouMustCreateStandardInvoiceFirstDesc=Sie müssen zuerst eine Standardrechnung Erstellen und diese dann in eine Rechnungsvorlage umwandeln -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template TypeContact_invoice_supplier_external_BILLING=Lieferanten - Rechnungskontakt TypeContact_invoice_supplier_external_SHIPPING=Lieferanten - Versandkontakt InvoiceFirstSituationAsk=Erste Situation Rechnung diff --git a/htdocs/langs/de_CH/cashdesk.lang b/htdocs/langs/de_CH/cashdesk.lang index 426d9c97a7a..d2e628d9fca 100644 --- a/htdocs/langs/de_CH/cashdesk.lang +++ b/htdocs/langs/de_CH/cashdesk.lang @@ -1,3 +1,6 @@ # Dolibarr language file - Source file is en_US - cashdesk CashDesk=Kasse +CashDeskBankCheque=Bankkonto(Scheckzahlung) +TotalTicket=Gesamtanzahl Ticket BankToPay=Zahlungskonto +FilterRefOrLabelOrBC=Suche (Art-Nr./Name) diff --git a/htdocs/langs/de_CH/companies.lang b/htdocs/langs/de_CH/companies.lang index 29c7c3a46b4..ea69af8c32c 100644 --- a/htdocs/langs/de_CH/companies.lang +++ b/htdocs/langs/de_CH/companies.lang @@ -92,6 +92,10 @@ ProfId3US=Id. Prof. 6 ProfId4US=Id. Prof. 6 ProfId5US=Id. Prof. 6 ProfId6US=Id. Prof. 6 +ProfId1RO=Firmennummer CUI +ProfId2RO=Firmennummer (Nr. Înmatriculare) +ProfId3RO=Firmennummer CAEN +ProfId5RO=Firmennummer EUID ProfId1RU=Prof ID 1 (OGRN) ProfId3DZ=TIN – Steuer-Identifikationsnummer (EU) VATIntra=MWST - Nummer @@ -128,7 +132,6 @@ RequiredIfCustomer=Erforderlich falls Geschäftspartner Kunde oder Interessent i RequiredIfSupplier=Erforderlich, wenn der Partner Lieferant ist ValidityControledByModule=Durch Modul validiert ListOfThirdParties=Liste der Geschäftspartner -ShowContact=Zeige Kontaktangaben ContactsAllShort=Alle (Kein Filter) ContactForOrdersOrShipments=Bestellungs- oder Lieferkontakt ContactForProposals=Offertskontakt @@ -171,7 +174,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 -LastModifiedThirdParties=Die letzten %s bearbeiteten Partner UniqueThirdParties=Anzahl Geschäftspartner InActivity=Offen ActivityCeased=Inaktiv diff --git a/htdocs/langs/de_CH/hrm.lang b/htdocs/langs/de_CH/hrm.lang index 43c736b4462..4b7bc012ad1 100644 --- a/htdocs/langs/de_CH/hrm.lang +++ b/htdocs/langs/de_CH/hrm.lang @@ -8,4 +8,6 @@ ConfirmDeleteEstablishment=Willst du diesen Betrieb wirklich löschen? OpenEtablishment=Betrieb wählen CloseEtablishment=Betrieb schliessen DictionaryDepartment=Personalverwaltung - Abteilungsliste -DictionaryFunction=Personalverwaltung - Funktionsliste +Employees=Mitarbeiter +Employee=Mitarbeiter +NewEmployee=Neuer Mitarbeiter diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index 5e855154efe..a304ae71e1a 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -21,7 +21,7 @@ FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M NoTemplateDefined=Für diesen Emailtyp habe ich keine Vorlage.. AvailableVariables=Verfügbare Ersatzvariablen -EmptySearchString=Gib bitte etwas ein... +EmptySearchString=Enter non empty search criterias NoRecordDeleted=Es wurde kein Datensatz gelöscht NotEnoughDataYet=Nicht genügend Daten NoError=Kein Fehler @@ -252,6 +252,7 @@ LinkToTicket=Verknüpftes Ticket ClickToRefresh=Klicke hier zum Aktualisieren EditWithTextEditor=Mit Nur-Text Editor bearbeiten EditHTMLSource=HTML Quelltext bearbeiten +ByCountry=Nach Land ByMonthYear=Von Monat / Jahr AdminTools=Administratorwerkzeuge MyDashboard=Mein Dashboard @@ -323,7 +324,6 @@ Select2Enter=Eingabe Select2MoreCharactersMore=Suchsyntax:
| OR (a|b)
* Alle Zeichen (a*b)
^ Beginnt mit (^ab)
$ Endet mit (ab$)
SearchIntoThirdparties=Geschäftspartner SearchIntoCustomerOrders=Kundenbestellungen -SearchIntoCustomerProposals=Angebote Kunde SearchIntoInterventions=Arbeitseinsätze SearchIntoCustomerShipments=Kundenlieferungen SearchIntoExpenseReports=Spesenrapporte @@ -358,3 +358,6 @@ ContactDefault_fichinter=Arbeitseinsatz ContactDefault_supplier_proposal=Partnerofferte ContactAddedAutomatically=Automatisch generierter Kontakt CustomReports=Eigene Berichte +StatisticsOn=Statistiken zu +SelectYourGraphOptionsFirst=Wähle den Diagrammtyp +Measures=Masseinheiten diff --git a/htdocs/langs/de_CH/members.lang b/htdocs/langs/de_CH/members.lang index ab909f68092..567980cd881 100644 --- a/htdocs/langs/de_CH/members.lang +++ b/htdocs/langs/de_CH/members.lang @@ -18,7 +18,6 @@ MemberId=Mitgliedernummer MemberType=Mitgliederart MembersTypes=Mitgliederarten MemberStatusDraft=Entwürfe (benötigen Bestätigung) -MemberStatusDraftShort=Entwurf NewSubscriptionDesc=Mit diesem Formular können Sie Ihr Abonnement als neues Mitglied der Stiftung registrieren. Wenn Sie Ihr Abonnement verlängern möchten (falls Sie bereits Mitglied sind), wenden Sie sich stattdessen per E-Mail an den Stiftungsrat. %s. Subscriptions=Abonnemente ListOfSubscriptions=Liste der Abonnemente diff --git a/htdocs/langs/de_CH/modulebuilder.lang b/htdocs/langs/de_CH/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/de_CH/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/de_CH/projects.lang b/htdocs/langs/de_CH/projects.lang index 86b76e8b882..51ee6c3b990 100644 --- a/htdocs/langs/de_CH/projects.lang +++ b/htdocs/langs/de_CH/projects.lang @@ -2,6 +2,7 @@ ProjectRef=Chance ProjectsArea=Projektbereiche PrivateProject=Projekt Kontakte +ProjectsImContactFor=Projects for I am explicitly a contact AllProjects=Alle Projekte TasksOnProjectsPublicDesc=Diese Ansicht zeigt alle Projektaufgaben, die Sie Lesenberechtigt sind. TasksOnProjectsDesc=Es werden alle Projekteaufgaben aller Projekte angezeigt (Ihre Berechtigungen berechtigen Sie alles zu sehen). diff --git a/htdocs/langs/de_CH/website.lang b/htdocs/langs/de_CH/website.lang index 8504c7c5535..ed41fb1bc26 100644 --- a/htdocs/langs/de_CH/website.lang +++ b/htdocs/langs/de_CH/website.lang @@ -7,4 +7,5 @@ WEBSITE_ALIASALT=Zusätzliche Seitennamen / Aliase WEBSITE_CSS_URL=URL zu externer CSS Datei ViewSiteInNewTab=Webauftritt in neuem Tab anzeigen SetAsHomePage=Als Startseite definieren +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. WebsiteAccounts=Webseitenkonten diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index d6f388602a7..2a92500e6f2 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Die nächsten Schritte sollten getan werden, um AccountancyAreaDescActionFreq=Die folgende Aktionen werden in der Regel jeden Monat, Woche oder Tag für sehr großes Unternehmen durchgeführt ... AccountancyAreaDescJournalSetup=SCHRITT %s: Buchhaltungsjournal erstellen oder kontrollieren via Menü %s -AccountancyAreaDescChartModel=SCHRITT %s: Erstellen Sie ein Modell des Kontenplans im Menü %s -AccountancyAreaDescChart=SCHRITT %s: Erstellen oder überprüfen des Inhalts Ihres Kontenplans im Menü %s +AccountancyAreaDescChartModel=SCHRITT 1%s: Prüfe, ob ein Kontenplanmodell vorhanden ist, oder erstelle eines aus dem Menü 1%s +AccountancyAreaDescChart=SCHRITT 1%s: Wähle einen Kontenplan aus dem Menü 1%s aus und/oder vervollständige es AccountancyAreaDescVat=SCHRITT %s: Definition des Buchhaltungskonto für jeden Steuersatz. Kann im Menü %s geändert werden. AccountancyAreaDescDefault=Schritt %s: Vorgabekonten festlegen. Im Menü %s festlegen. @@ -121,7 +121,7 @@ InvoiceLinesDone=verbundene Rechnungszeilen ExpenseReportLines=Zeilen von Spesenabrechnungen zu verbinden ExpenseReportLinesDone=Gebundene Zeile von Spesenabrechnungen IntoAccount=mit dem Buchhaltungskonto verbundene Zeilen -TotalForAccount=Total for accounting account +TotalForAccount=Gesamtsumme für Buchhaltungskonto Ventilate=zusammenfügen @@ -169,15 +169,15 @@ DONATION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Spenden ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Abonnements ACCOUNTING_PRODUCT_BUY_ACCOUNT=Standard-Buchhaltungskonto für gekaufte Produkte \n(wenn nicht anders im Produktblatt definiert) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Standardmäßig Buchhaltungskonto für die gekauften Produkte in der EU (wird verwendet, wenn nicht im Produktblatt definiert) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Standardmäßig Buchhaltungskonto für die gekauften und aus der EU importierten Produkte (wird verwendet, wenn nicht im Produktblatt definiert) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Standard-Buchhaltungskonto für die verkauften Produkte (wenn nicht anders im Produktblatt definiert) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Standard-Buchhaltungskonto für in die EU verkaufte Produkte \n(wird verwendet, wenn nicht im Produktblatt definiert) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Standard-Buchhaltungskonto für ausserhalb der EU verkaufte Produkte [EXPORT] \n(wird verwendet, wenn nicht im Produktblatt definiert) ACCOUNTING_SERVICE_BUY_ACCOUNT=Standard-Buchhaltungskonto für die gekauften Leistungen (wenn nicht anders im Produktblatt definiert) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Standardmäßig Buchhaltungskonto für die gekauften Dienstleistungen in der EU (wird verwendet, wenn nicht im Leistungsblatt definiert) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Standardmäßig Buchhaltungskonto für die gekauften und aus der EU importierten Dienstleistungen (wird verwendet, wenn nicht im Leistungsblatt definiert) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Standard-Buchhaltungskonto für die verkauften Leistungen (wenn nicht anders im Produktblatt definiert) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Standard-Buchhaltungskonto für in die EU verkaufte Dienstleistungen \n(wird verwendet, wenn nicht im Produktblatt definiert) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Standard-Buchhaltungskonto für ausserhalb der EU verkaufte Dienstleistungen [EXPORT] \n(wird verwendet, wenn nicht im Produktblatt definiert) @@ -234,15 +234,15 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Geschäftspartner ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Drittanbieter-Konto nicht definiert oder Drittanbieter unbekannt. Fehler beim Blockieren. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unbekanntes Drittanbieter-Konto und wartendes Konto nicht definiert. Fehler beim Blockieren PaymentsNotLinkedToProduct=Zahlung ist keinem Produkt oder Dienstleistung zugewisen -OpeningBalance=Opening balance +OpeningBalance=Eröffnungsbilanz ShowOpeningBalance=Eröffnungsbilanz anzeigen HideOpeningBalance=Eröffnungsbilanz ausblenden -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Zwischensumme nach Gruppe anzeigen Pcgtype=Kontenklasse PcgtypeDesc=Kontengruppen werden für einige Buchhaltungsberichte als vordefinierte Filter- und Gruppierungskriterien verwendet. Beispielsweise werden "EINKOMMEN" oder "AUSGABEN" als Gruppen für die Buchhaltung von Produktkonten verwendet, um die Ausgaben- / Einnahmenrechnung zu erstellen. -Reconcilable=Reconcilable +Reconcilable=ausgleichsfähig TotalVente=Gesamtumsatz vor Steuern TotalMarge=Gesamtumsatzrendite @@ -317,13 +317,13 @@ Modelcsv_quadratus=Export für Quadratus QuadraCompta Modelcsv_ebp=Export für EBP Modelcsv_cogilog=Export für Cogilog Modelcsv_agiris=Export für Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) +Modelcsv_LDCompta=Export für LD Compta (v9) (Test) +Modelcsv_LDCompta10=Export für LD Compta (v10 und höher) Modelcsv_openconcerto=Export für OpenConcerto (Test) Modelcsv_configurable=konfigurierbarer CSV-Export Modelcsv_FEC=Export nach FEC Modelcsv_Sage50_Swiss=Export für Sage 50 (Schweiz) -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Exportiere Winfic - eWinfic - WinSis Compta ChartofaccountsId=Kontenplan ID ## Tools - Init accounting account on product / service @@ -336,8 +336,8 @@ OptionModeProductSell=Modus Verkäufe Inland OptionModeProductSellIntra=Modus Verkäufe in EU/EWG OptionModeProductSellExport=Modus Verkäufe Export (ausserhalb EU/EWG) OptionModeProductBuy=Modus Einkäufe -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Modus in die EU importierte Einkäufe +OptionModeProductBuyExport=Modus aus anderen Staaten importierte Einkäufe OptionModeProductSellDesc=Alle Produkte mit Buchhaltungskonto für Verkäufe Inland anzeigen. OptionModeProductSellIntraDesc=Alle Produkte mit Buchhaltungskonto für Verkäufe in EWG anzeigen. OptionModeProductSellExportDesc=Alle Produkte mit Abrechnungskonto für Verkäufe Ausland anzeigen. @@ -354,8 +354,8 @@ AccountRemovedFromGroup=Konto aus der Gruppe entfernt SaleLocal=Verkauf Inland SaleExport=Verkauf Export (ausserhalb EWG) SaleEEC=Verkauf in EU/EWG -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleEECWithVAT=Verkauf in der EU mit Mehrwertsteuer (nicht null), und daher anzunehmen ist, dass es sich NICHT um einen innergemeinschaftlichen Verkauf handelt und das vorgeschlagene Konto daher das Standardproduktkonto ist. +SaleEECWithoutVATNumber=Verkauf in der EU ohne MwSt., aber ohne Definition der MwSt-ID des Geschäftspartners. Bei diesen Standardverkäufen greifen wir auf das Produktkonto zurück. Bei Bedarf kann die MwSt.-ID des Partners oder Produktkontos festlegt werden. ## Dictionary Range=Bereich von Sachkonten diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index e179d2de0f3..dfb7da7ed94 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -11,7 +11,7 @@ VersionUnknown=Unbekannt VersionRecommanded=Empfohlen FileCheck=Dateigruppen Integritätsprüfungen FileCheckDesc=Dieses Tool ermöglicht es Ihnen, die Datei-Integrität und das Setup der Anwendung zu überprüfen, indem jede Datei mit der offiziellen Version verglichen wird. Der Wert einiger Setup-Konstanten kann ebenso überprüft werden. Sie können dieses Tool verwenden, um festzustellen, ob Dateien verändert wurden (z.B. durch einen Hacker). -FileIntegrityIsStrictlyConformedWithReference=Datei-Integrität entspricht genau der Referenz. +FileIntegrityIsStrictlyConformedWithReference=Dateiintegrität entspricht genau der Referenz. FileIntegrityIsOkButFilesWereAdded=Die Dateiintegritätsprüfung wurde bestanden, jedoch wurden einige neue Dateien hinzugefügt. FileIntegritySomeFilesWereRemovedOrModified=Datei-Integrität konnte NICHT bestätigt werden. Dateien wurden modifiziert, entfernt oder hinzugefügt. GlobalChecksum=globale Prüfsumme @@ -40,7 +40,7 @@ WebUserGroup=WebServer Benutzer/Gruppen NoSessionFound=Ihre PHP -Konfiguration scheint keine Auflistung aktiver Sitzungen zuzulassen. Eventuell ist die Speicherung im Verzeichnis (%s) durch fehlende Berechtigungen blockiert (zum Beispiel: Betriebssystemberechtigungen oder open_basedir-Beschränkungen). DBStoringCharset=Zeichensatz der Datenbank-Speicherung DBSortingCharset=Datenbank-Zeichensatz zum Sortieren von Daten -HostCharset=Host charset +HostCharset=Host-Datensatz ClientCharset=Client-Zeichensatz ClientSortingCharset=Client Sortierreihenfolge WarningModuleNotActive=Modul %s muss aktiviert sein @@ -95,7 +95,7 @@ NextValueForInvoices=Nächster Wert (Rechnungen) NextValueForCreditNotes=Nächster Wert (Gutschriften) NextValueForDeposit=nächster Wert (Anzahlung) NextValueForReplacements=Nächster Wert (Ersatz) -MustBeLowerThanPHPLimit=Hinweis: Ihre PHP-Einstellungen beschränken die Größe für Dateiuploads auf %s%s ungeachtet dieser Einstellung +MustBeLowerThanPHPLimit=Hinweis: Ihre PHP-Konfiguration begrenzt derzeit die maximale Dateigröße für den Upload auf %s%s, unabhängig vom hier angegebenen Wert NoMaxSizeByPHPLimit=Hinweis: In Ihren PHP-Einstellungen sind keine Größenbeschränkungen hinterlegt MaxSizeForUploadedFiles=Maximale Größe für Dateiuploads (0 verbietet jegliche Uploads) UseCaptchaCode=Captcha-Code auf der Anmeldeseite verwenden @@ -207,7 +207,7 @@ ModulesMarketPlaces=Zusatzmodule / Erweiterungen ModulesDevelopYourModule=Eigene Anwendungen / Module entwickeln ModulesDevelopDesc=Sie können ihr eiges Modul programmieren oder einen Partner finden, der es für Sie programmiert. DOLISTOREdescriptionLong=Anstatt die Website www.dolistore.com einzuschalten , um ein externes Modul zu finden, können Sie dieses eingebettete Tool verwenden, das die Suche auf dem externen Marktplatz für Sie durchführt (möglicherweise langsam, benötigen Sie einen Internetzugang) ... -NewModule=Neu +NewModule=Neues Modul FreeModule=Frei CompatibleUpTo=Kompatibel mit Version %s NotCompatible=Dieses Modul scheint nicht mit ihrer Dolibarr Version %s kompatibel zu sein. (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Neuheit AchatTelechargement=Kaufen / Herunterladen GoModuleSetupArea=Um ein neues Modul zu installieren/verteilen, gehen Sie in den Modul-Setup Bereich %s. DoliStoreDesc=DoliStore, der offizielle Marktplatz für dolibarr Module/Erweiterungen -DoliPartnersDesc=Liste der Unternehmen, die speziell entwickelte Module oder Funktionen bereitstellen.
Hinweis: Da Dolibarr eine Open Source-Anwendung ist, kann jeder, der Erfahrung mit PHP-Programmierung hat, ein Modul entwickeln. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Externe Webseiten mit zusätzlichen Add-on (nicht zum Grundumfang gehörend) Modulen ... DevelopYourModuleDesc=einige Lösungen um eigene Module zu entwickeln ... URL=Link @@ -278,9 +278,9 @@ MAIN_MAIL_SMTP_PORT=SMTP(S)-Port (Standardwert Ihrer php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP(S)-Server (Standardwert Ihrer php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-Port (nicht in PHP definiert in Unix-Umgebungen) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP-Host (nicht in PHP definiert auf Unix-Umgebungen) -MAIN_MAIL_EMAIL_FROM=Absender e-Mail für automatische Emails (Standardwert in php.ini: %s) +MAIN_MAIL_EMAIL_FROM=Absender-Adresse für automatisch erstellte E-Mails (Standardwert in php.ini: %s) MAIN_MAIL_ERRORS_TO=Standard-E-Mail-Adresse für Fehlerrückmeldungen (beispielsweise unzustellbare E-Mails) -MAIN_MAIL_AUTOCOPY_TO= Blindkopie (Bcc) aller gesendeten Emails an +MAIN_MAIL_AUTOCOPY_TO= Blindkopie (BCC) aller gesendeten E-Mails an MAIN_DISABLE_ALL_MAILS=Alle E-Mail-Funktionen deaktivieren (für Test- oder Demonstrationszwecke) MAIN_MAIL_FORCE_SENDTO=Sende alle E-Mails an den folgenden anstatt an die tatsächlichen Empfänger (für Testzwecke) MAIN_MAIL_ENABLED_USER_DEST_SELECT=E-Mail-Adressen von Mitarbeitern (falls definiert) beim Schreiben einer neuen E-Mail in der Liste vordefinierten Empfänger vorschlagen @@ -303,7 +303,7 @@ FeatureNotAvailableOnLinux=Diese Funktion ist auf Unix-Umgebungen nicht verfügb SubmitTranslation=Wenn die Übersetzung für diese Sprache nicht vollständig ist oder Sie Fehler finden, können Sie dies korrigieren, indem Sie Dateien im Verzeichnis langs/%s bearbeiten und Ihre Änderung an www.transifex.com/dolibarr-association/dolibarr/ senden. SubmitTranslationENUS=Sollte die Übersetzung für eine Sprache nicht vollständig sein oder Fehler beinhalten, können Sie die entsprechenden Sprachdateien im Verzeichnis langs/%s bearbeiten und anschließend Ihre Änderungen mit der Entwicklergemeinschaft auf www.dolibarr.org teilen. ModuleSetup=Moduleinstellung -ModulesSetup=Modul-/Applikationseinstellung +ModulesSetup=Modul-/Anwendungseinstellungen ModuleFamilyBase=System ModuleFamilyCrm=Kundenbeziehungsmanagement (CRM) ModuleFamilySrm=Lieferantenmanagement (VRM - Vendor Relationship Management) @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Kontrollkästchen / Dropdownliste (mehrere Optionen auswählb ExtrafieldCheckBoxFromList=Kontrollkästchen / Dropdownliste aus DB-Tabelle (mehrere Optionen auswählbar) ExtrafieldLink=Verknüpftes Objekt ComputedFormula=Berechnetes Feld -ComputedFormulaDesc=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=Sie können hier eine Formel mit anderen Eigenschaften des Objekts oder beliebigen PHP-Code eingeben, um einen dynamisch berechneten Wert zu erhalten. Sie können alle PHP-kompatiblen Formeln verwenden, einschließlich "?" Bedingungsoperator und folgendes globales Objekt: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
WARNUNG : Möglicherweise sind nur einige Eigenschaften von $ object verfügbar. Wenn Sie Eigenschaften benötigen, die nicht geladen sind, holen Sie sich das Objekt einfach wie im zweiten Beispiel in Ihre Formel.
Wenn Sie ein berechnetes Feld verwenden, können Sie keinen Wert über die Schnittstelle eingeben. Wenn ein Syntaxfehler vorliegt, gibt die Formel möglicherweise nichts zurück.

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

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

Anderes Beispiel für eine Formel zum erzwungenen Laden des Objekts und seines übergeordneten Objekts:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Speichere berechnetes Feld ComputedpersistentDesc=Berechnete Extrafelder werden in der Datenbank gespeichert, dennoch wird ihr Wert nur dann neu berechnet wenn sich das Objekt zu diesem Feld ändert. Falls das berechnete Feld von anderen Objekten oder globalen Daten abhängt, kann sein Wert falsch sein! ExtrafieldParamHelpPassword=Wenn Sie dieses Feld leer lassen, wird dieser Wert unverschlüsselt gespeichert (das Feld darf nur mit einem Stern auf dem Bildschirm ausgeblendet werden).
Stellen Sie 'auto'; ein, um die Standardverschlüsselungsregel zum Speichern des Kennworts in der Datenbank zu verwenden (dann ist der gelesene Wert nur der Hash, keine Möglichkeit, den ursprünglichen Wert abzurufen). @@ -446,12 +446,13 @@ LinkToTestClickToDial=Geben Sie die anzurufende Telefonnr ein, um einen Link zu RefreshPhoneLink=Aktualisierungslink LinkToTest=Anklickbarer Link für Benutzer %s erzeugt (Telefonnr. anklicken zum Testen) KeepEmptyToUseDefault=Leer lassen für Standardwert +KeepThisEmptyInMostCases=In den meisten Fällen kann dieses Feld leer bleiben. DefaultLink=Standardlink SetAsDefault=Als Standard setzen ValueOverwrittenByUserSetup=Achtung, dieser Wert kann durch den Benutzer überschrieben werden (jeder kann seine eigene ClickToDial-URL setzen) ExternalModule=Externes Modul InstalledInto=Installiert in Verzeichnis %s -BarcodeInitForthird-parties=alle Barcodes für Geschäftspartner initialisieren +BarcodeInitForThirdparties=alle Barcodes für Geschäftspartner initialisieren BarcodeInitForProductsOrServices=Alle Barcodes für Produkte oder Services initialisieren oder zurücksetzen CurrentlyNWithoutBarCode=Zur Zeit gibt es %s Datensätze in %s %s ohne Barcode. InitEmptyBarCode=Startwert für die nächsten %s leeren Datensätze @@ -541,8 +542,8 @@ Module54Name=Verträge / Abonnements Module54Desc=Verwaltung von Verträgen (Dienstleistungen oder wiederkehrende Abonnements) Module55Name=Barcodes Module55Desc=Barcode-Verwaltung -Module56Name=Telefonie -Module56Desc=Telefonie-Integration +Module56Name=Zahlung per Überweisung +Module56Desc=Verwaltung der Zahlung durch Überweisungsaufträge. Umfasst die Erstellung einer SEPA-Datei für europäische Länder. Module57Name=Lastschrifteinzug Module57Desc=Verwaltung von Lastschriftzahlungsaufträgen. Es beinhaltet die Erstellung einer SEPA-Datei für europäische Länder. Module58Name=ClickToDial @@ -584,7 +585,7 @@ Module410Desc=Webkalenderintegration Module500Name=Steuern & Sonderausgaben Module500Desc=Verwalten von weiteren Ausgaben (Steuern, Sozialabgaben, Dividenden, ...) Module510Name=Löhne -Module510Desc=Erfassen und Verfolgen von Mitarbeiterzahlungen +Module510Desc=Erfassen und Verfolgen von Lohnzahlungen Module520Name=Kredite / Darlehen Module520Desc=Verwaltung von Darlehen Module600Name=Benachrichtigungen über Geschäftsereignisse @@ -596,8 +597,8 @@ Module700Name=Spenden Module700Desc=Spendenverwaltung Module770Name=Spesenabrechnungen Module770Desc=Verwaltung von Spesenabrechnungen (Transport, Essen,....) -Module1120Name=Geschäftsvorschläge von Anbietern -Module1120Desc=Anfordern von Lieferanten-Angeboten und Preise +Module1120Name=Angebotsanforderung +Module1120Desc=Anfordern von Lieferanten-Angeboten und Preisen Module1200Name=Mantis Module1200Desc=Mantis-Integration Module1520Name=Dokumente erstellen @@ -1016,7 +1017,7 @@ LocalTax2IsUsedDescES=Die Einkommenssteuerrate beim Erstellen von Interessenten, LocalTax2IsNotUsedDescES=Standardmäßig ist die vorgeschlagene Einkommenssteuer 0. Ende der Regel. LocalTax2IsUsedExampleES=In Spanien, Freiberufler und unabhängigen Fachleuten, die ihre Dienstleistungen und Unternehmen, die das Steuersystem von Modulen gewählt haben. LocalTax2IsNotUsedExampleES=In Spanien sind das Unternehmen, die nicht dem Steuersystem für Module unterliegen. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +RevenueStampDesc=Der "Steuerstempel" oder "Steuermarke" ist eine feste Steuer, die Sie pro Rechnung entrichten müssen (sie ist nicht vom Rechnungsbetrag abhängig). Es kann auch eine Prozentsteuer sein, aber die Verwendung der zweiten oder dritten Steuerart ist bei Prozentsteuern besser, da Steuerstempel keine Berichterstattung ermöglichen. Nur wenige Länder verwenden diese Steuerart. UseRevenueStamp=Verwenden Sie eine Steuermarke UseRevenueStampExample=Der Wert der Steuermarke wird standardmäßig in der Einrichtung der Wörterbücher definiert (%s - %s - %s). CalcLocaltax=Berichte über lokale Steuern @@ -1083,10 +1084,10 @@ CompanyName=Firmenname CompanyAddress=Firmenadresse CompanyZip=Postleitzahl CompanyTown=Stadt -CompanyCountry=Land +CompanyCountry=Staat CompanyCurrency=Hauptwährung CompanyObject=Gegenstand des Unternehmens -IDCountry=ID Land +IDCountry=ID Staat Logo=Logo LogoDesc=Standard-Logo des Unternehmens. Das Logo wird in generierten Dokumenten verwendet (PDF, ...). LogoSquarred=Logo (quadratisch) @@ -1145,6 +1146,7 @@ AvailableModules=Verfügbare Module ToActivateModule=Zum Aktivieren von Modulen gehen Sie zu Start->Einstellungen->Module SessionTimeOut=Sitzungszeitbegrenzung SessionExplanation=Diese Zahl garantiert, dass die Sitzung niemals vor dieser Verzögerung abläuft, wenn der Session Cleaner von Internal PHP Session Cleaner durchgeführt wird (und nichts anderes). Der interne PHP-Sitzungsbereiniger garantiert nicht, dass die Sitzung nach dieser Verzögerung abläuft. Es läuft nach dieser Verzögerung ab und wenn der Session Cleaner ausgeführt wird, bedeutet dies, dass jeder %s / %s -Zugriff nur während des Zugriffs von anderen Sessions erfolgt (wenn der Wert 0 ist, bedeutet dies, dass die Sitzung nur durch einen externen Zugriff gelöscht wird) Prozess).
Hinweis: Auf einigen Servern mit einem externen Mechanismus zur Sitzungsbereinigung (cron under debian, ubuntu ...) können die Sitzungen nach einem von einem externen Setup festgelegten Zeitraum unabhängig vom hier eingegebenen Wert zerstört werden. +SessionsPurgedByExternalSystem=Sitzungen auf diesem Server scheinen durch einen externen Mechanismus (cron unter Debian, Ubuntu, ...) gereinigt zu werden, wahrscheinlich alle %s Sekunden (= Wert des Parameters session.gc_maxlifetime), so dass eine Änderung des Wertes hier keinen Effekt hat. Sie müssen den Server-Administrator bitten, die Sitzungs-Verzögerung zu ändern. TriggersAvailable=Verfügbare Trigger TriggersDesc=Trigger sind Dateien, die das Verhalten des Dolibarr-Workflows ändern, sobald sie in das Verzeichnis htdocs / core / triggers kopiert wurden. Sie erstellen neue Aktionen, die bei Dolibarr-Events aktiviert werden (Neugründung der Firma, Rechnungsprüfung, ...). TriggerDisabledByName=Trigger in dieser Datei sind durch das -NORUN-Suffix in ihrem Namen deaktiviert. @@ -1262,6 +1264,7 @@ FieldEdition=Bearbeitung von Feld %s FillThisOnlyIfRequired=Beispiel: +2 (nur ausfüllen, wenn Sie Probleme mit der Zeitzone haben) GetBarCode=Übernehmen NumberingModules=Nummerierungsmodelle +DocumentModules=Dokumentvorlagen ##### Module password generation PasswordGenerationStandard=Generiere ein Passwort nach dem internen Systemalgorithmus: 8 Zeichen, Zahlen und Kleinbuchstaben. PasswordGenerationNone=Kein generiertes Passwort vorschlagen. Das Passwort muss manuell eingegeben werden. @@ -1273,7 +1276,7 @@ RuleForGeneratedPasswords=Regeln für die Erstellung und Freigabe von Passwörte DisableForgetPasswordLinkOnLogonPage='Passwort vergessen'-Link nicht auf der Anmeldeseite anzeigen UsersSetup=Benutzermoduleinstellungen UserMailRequired=Für die Anlage eines neuen Benutzers ist eine E-Mail-Adresse erforderlich -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Inaktive Benutzer aus allen Kombinationslisten von Benutzern ausblenden (Nicht empfohlen: dies kann bedeuten, dass Sie auf einigen Seiten nicht nach alten Benutzern filtern oder suchen können) UsersDocModules=Dokumentvorlagen für Dokumente, die aus dem Benutzerdatensatz generiert wurden GroupsDocModules=Dokumentvorlagen für Dokumente, die aus einem Gruppendatensatz generiert wurden ##### HRM setup ##### @@ -1471,7 +1474,7 @@ LDAPFieldZip=PLZ LDAPFieldZipExample=Beispiel: PLZ LDAPFieldTown=Stadt LDAPFieldTownExample=Beispiel: l -LDAPFieldCountry=Land +LDAPFieldCountry=Staat LDAPFieldDescription=Beschreibung LDAPFieldDescriptionExample=Beispiel: Beschreibung LDAPFieldNotePublic=öffentlicher Hinweis @@ -1564,8 +1567,8 @@ BarcodeSetup=Barcode- und 2D-Code-Einstellungen PaperFormatModule=Papierformatmodul BarcodeEncodeModule=Barcode- und 2D-Code-Erstellungsmodul CodeBarGenerator=Barcode-Generator -ChooseABarCode=Wählen sie einen Barcode -FormatNotSupportedByGenerator=Dieses Format wird von gewählten Barcode-Generator nicht unterstützt +ChooseABarCode=Bitte einen Barcode-Generator auswählen +FormatNotSupportedByGenerator=Dieses Format wird vom gewählten Barcode-Generator nicht unterstützt BarcodeDescEAN8=Barcode vom Typ EAN8 BarcodeDescEAN13=Barcode vom Typ EAN13 BarcodeDescUPC=Barcode vom Typ UPC @@ -1575,7 +1578,7 @@ BarcodeDescC128=Barcode vom Typ C128 BarcodeDescDATAMATRIX=2D-Code vom Typ Datamatrix BarcodeDescQRCODE=2D-Code vom Typ QR GenbarcodeLocation=Bar Code Kommandozeilen-Tool (verwendet interne Engine für einige Barcodetypen) Muss mit "genbarcode" kompatibel sein.
Zum Beispiel: /usr/local/bin/genbarcode -BarcodeInternalEngine=interne Engine +BarcodeInternalEngine=interner Generator BarCodeNumberManager=Manager für die automatische Generierung von Barcode-Nummer ##### Prelevements ##### WithdrawalsSetup=Einrichtung des Moduls Lastschrift @@ -1726,7 +1729,7 @@ BankOrderShow=Anzeige Reihenfolge der Bankkonten für Länder mit "detailli BankOrderGlobal=General BankOrderGlobalDesc=Allgemeine Anzeige-Reihenfolge BankOrderES=Spanisch -BankOrderESDesc=Spanisch Anzeigereihenfolge +BankOrderESDesc=Spanische Anzeigereihenfolge ChequeReceiptsNumberingModule=Modul zur Nummerierung von Belegen prüfen ##### Multicompany ##### MultiCompanySetup=Einstellungen des Modul Mandanten @@ -1743,7 +1746,7 @@ PathToGeoIPMaxmindCountryDataFile=Pfad zu der Datei, welche die Maxmind IP-zu-La NoteOnPathLocation=Bitte beachten Sie, dass Ihre IP-Länder-Datei in einem von PHP lesbaren Verzeichnis liegen muss (Überprüfen Sie Ihre PHP open_basedir-Einstellungen und die Dateisystem-Berechtigungen). YouCanDownloadFreeDatFileTo=Eine kostenlose Demo-Version der Maxmind-GeoIP Datei finden Sie hier: %s YouCanDownloadAdvancedDatFileTo=Eine vollständigere Version mit Updates der Maxmind-GeoIP Datei können Sie hier herunterladen: %s -TestGeoIPResult=Test einer Umwandlung IP -> Land +TestGeoIPResult=Test einer Umwandlung IP -> Staat ##### Projects ##### ProjectsNumberingModules=Projektnumerierungsmodul ProjectsSetup=Projekteinstellungenmodul @@ -1820,7 +1823,7 @@ RecuperableOnly=Ja für USt. "Wahrgenommene nicht Erstattungsfähig" für einige UrlTrackingDesc=Wenn der Anbieter oder Transportdienstleister eine Seite oder Website zur Überprüfung des Status Ihrer Sendungen anbietet, können Sie diese hier eingeben. Sie können den Schlüssel {TRACKID} in den URL-Parametern verwenden, damit das System ihn durch die Tracking-Nummer ersetzt, die der Benutzer auf der Sendungskarte eingegeben hat. OpportunityPercent=Wenn Sie einen Lead erstellen, definieren Sie eine geschätzte Menge an Projekt / Lead. Je nach Status des Leads kann dieser Betrag mit dieser Rate multipliziert werden, um einen Gesamtbetrag zu ermitteln, den alle Ihre Leads generieren können. Wert ist ein Prozentsatz (zwischen 0 und 100). TemplateForElement=Diese Vorlage gehört zu diesem Element -TypeOfTemplate=Type der Vorlage +TypeOfTemplate=Vorlagentyp TemplateIsVisibleByOwnerOnly=Vorlage ist nur vom Besitzer sichtbar VisibleEverywhere=Überall sichtbar VisibleNowhere=Nirgendwo sichtbar @@ -1844,6 +1847,7 @@ MailToThirdparty=Partner MailToMember=Mitglieder MailToUser=Benutzer MailToProject=Projektseiten +MailToTicket=Tickets ByDefaultInList=Standardanzeige als Listenansicht YouUseLastStableVersion=Sie verwenden die letzte stabile Version TitleExampleForMajorRelease=Beispielnachricht, die Sie nutzen können, um eine Hauptversion anzukündigen. Sie können diese auf Ihrer Website verwenden. @@ -1931,7 +1935,7 @@ RecordEvent=eMail-Ereignis aufzeichnen/registrieren CreateLeadAndThirdParty=als potentiellen Verkaufskontakt anlegen CreateTicketAndThirdParty=als (Support-)Ticket anlegen CodeLastResult=Letzter Resultatcode -NbOfEmailsInInbox=Anzahl eMails im Quellverzeichnis +NbOfEmailsInInbox=Anzahl E-Mails im Quellverzeichnis LoadThirdPartyFromName=Drittanbieter-Suche auf %s laden (nur laden) LoadThirdPartyFromNameOrCreate=Drittanbieter-Suche auf %s laden (erstellen, wenn nicht gefunden) WithDolTrackingID=Dolibarr-Referenz in Nachrichten-ID gefunden @@ -1939,7 +1943,7 @@ WithoutDolTrackingID=Dolibarr-Referenz nicht in Nachrichten-ID gefunden FormatZip=PLZ MainMenuCode=Menüpunktcode (Hauptmenü) ECMAutoTree=Automatischen ECM-Baum anzeigen -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=Definieren Sie die Werte, die für das Objekt der Aktion verwendet werden sollen, oder wie Werte extrahiert werden sollen. Beispiel:
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]*)

Verwenden Sie a; char als Trennzeichen zum Extrahieren oder Festlegen mehrerer Eigenschaften. OpeningHours=Öffnungszeiten OpeningHoursDesc=Geben sie hier die regulären Öffnungszeiten vom Unternehmen an. ResourceSetup=Konfiguration vom Ressourcenmodul @@ -1996,6 +2000,7 @@ EmailTemplate=E-Mail-Vorlage EMailsWillHaveMessageID=E-Mails haben ein Schlagwort "Referenzen", das dieser Syntax entspricht 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 RssNote=Hinweis: Jede RSS-Feed-Definition enthält ein Widget, das Sie aktivieren müssen, damit es im Dashboard verfügbar ist JumpToBoxes=Wechseln Sie zu Einstellungen -> Widgets MeasuringUnitTypeDesc=Verwenden Sie hier einen Wert wie "Größe", "Oberfläche", "Volumen", "Gewicht", "Zeit". diff --git a/htdocs/langs/de_DE/agenda.lang b/htdocs/langs/de_DE/agenda.lang index 22e1cb1a7d5..244d123d47e 100644 --- a/htdocs/langs/de_DE/agenda.lang +++ b/htdocs/langs/de_DE/agenda.lang @@ -14,7 +14,7 @@ EventsNb=Anzahl der Ereignisse ListOfActions=Liste Ereignisse EventReports=Ereignisbericht Location=Ort -ToUserOfGroup=Für jeden Benutzer in der Gruppe +ToUserOfGroup=für jeden Benutzer in der Gruppe EventOnFullDay=Ganztägig MenuToDoActions=Alle unvollst. Termine MenuDoneActions=Alle abgeschlossenen Termine @@ -84,13 +84,14 @@ InterventionSentByEMail=Serviceauftrag %s per E-Mail versendet ProposalDeleted=Angebot gelöscht OrderDeleted=Bestellung gelöscht InvoiceDeleted=Rechnung gelöscht +DraftInvoiceDeleted=Rechnungsentwurf gelöscht PRODUCT_CREATEInDolibarr=Produkt %s erstellt PRODUCT_MODIFYInDolibarr=Produkt %s aktualisiert PRODUCT_DELETEInDolibarr=Produkt %s gelöscht HOLIDAY_CREATEInDolibarr=Anfrage für Urlaubsantrag %s erstellt HOLIDAY_MODIFYInDolibarr=Anfrage für Urlaubsantrag %s bearbeitet HOLIDAY_APPROVEInDolibarr=Anfrage für Urlaubsantrag %s genehmigt -HOLIDAY_VALIDATEDInDolibarr=Anfrage für Urlaubsantrag %s validiert +HOLIDAY_VALIDATEInDolibarr=Anfrage für Urlaubsantrag %s validiert HOLIDAY_DELETEInDolibarr=Anfrage für Urlaubsantrag %s gelöscht EXPENSE_REPORT_CREATEInDolibarr=Spesenabrechnung %s erstellt EXPENSE_REPORT_VALIDATEInDolibarr=Ausgabenbericht %s validiert @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=Stückliste deaktiviert BOM_REOPENInDolibarr=Stückliste wiedereröffnet BOM_DELETEInDolibarr=Stückliste gelöscht MRP_MO_VALIDATEInDolibarr=Fertigungsauftrag freigegeben +MRP_MO_UNVALIDATEInDolibarr=Setze Fertigungsauftrag auf Status 'Entwurf' MRP_MO_PRODUCEDInDolibarr=Fertigungsauftrag produziert MRP_MO_DELETEInDolibarr=Fertigungsauftrag gelöscht +MRP_MO_CANCELInDolibarr=Fertigungsauftrag storniert ##### End agenda events ##### AgendaModelModule=Dokumentvorlagen für Ereignisse DateActionStart=Beginnt @@ -151,3 +154,6 @@ EveryMonth=Jeden Monat DayOfMonth=Tag des Monat DayOfWeek=Tag der Woche DateStartPlusOne=Startdatum + 1 Stunde +SetAllEventsToTodo=Setze alle Ereignisse auf Status 'ToDo' +SetAllEventsToInProgress=Setze alle Ereignisse auf Status 'In Bearbeitung' +SetAllEventsToFinished=Setze alle Ereignisse auf Status 'Abgeschlossen' diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index fb047dd5ecc..b679a832e69 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -37,6 +37,8 @@ IbanValid=Bankkonto gültig IbanNotValid=Bankkonto nicht gültig StandingOrders=Lastschriften StandingOrder=Lastschrift +PaymentByBankTransfers=Zahlung per Überweisung +PaymentByBankTransfer=Bezahlung per Überweisung AccountStatement=Kontoauszug AccountStatementShort=Auszug AccountStatements=Kontoauszüge @@ -52,7 +54,7 @@ NewBankAccount=Neues Konto NewFinancialAccount=Neues Finanzkonto MenuNewFinancialAccount=Neues Finanzkonto EditFinancialAccount=Konto bearbeiten -LabelBankCashAccount=Bank- oder Kassebezeichnung +LabelBankCashAccount=Bank- oder Kassenbezeichnung AccountType=Art des Kontos BankType0=Sparkonto BankType1=Girokonto diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 177bbfed204..2583f8f706d 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Rabatt angeboten (Skonto) EscompteOfferedShort=Rabatt SendBillRef=Im Anhang Ihre Rechnung %s SendReminderBillRef=Erinnerung für unsere Rechnung %s -StandingOrders=Lastschriften -StandingOrder=Lastschrift NoDraftBills=Keine Rechnungsentwürfe NoOtherDraftBills=Keine weiteren Rechnungsentwürfe NoDraftInvoices=Keine Rechnungsentwürfe @@ -385,7 +383,7 @@ GeneratedFromTemplate=Erzeugt von der Rechnungsvorlage %s WarningInvoiceDateInFuture=Achtung, das Rechnungsdatum ist höher als das aktuelle Datum WarningInvoiceDateTooFarInFuture=Achtung, das Rechnungsdatum ist zu weit entfernt vom aktuellen Datum ViewAvailableGlobalDiscounts=Zeige verfügbare Rabatte -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Zahlungen nach Modus auf Berichte gruppieren # PaymentConditions Statut=Status PaymentConditionShortRECEP=sofort @@ -439,7 +437,7 @@ BankDetails=Bankverbindung BankCode=Bankleitzahl DeskCode=Desk-Code BankAccountNumber=Kontonummer -BankAccountNumberKey=Prüfsumme (checksum) +BankAccountNumberKey=Prüfsumme Residence=Adresse IBANNumber=IBAN IBAN=IBAN @@ -572,3 +570,6 @@ AutoFillDateToShort=Enddatum festlegen MaxNumberOfGenerationReached=Maximal Anzahl Generierungen erreicht BILL_DELETEInDolibarr=Rechnung gelöscht BILL_SUPPLIER_DELETEInDolibarr=Lieferantenrechnung gelöscht +UnitPriceXQtyLessDiscount=Stückpreis x Anzahl - Rabatt +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/de_DE/blockedlog.lang b/htdocs/langs/de_DE/blockedlog.lang index b42f38edc50..76f7b5b97ce 100644 --- a/htdocs/langs/de_DE/blockedlog.lang +++ b/htdocs/langs/de_DE/blockedlog.lang @@ -3,13 +3,13 @@ Field=Feld BlockedLogDesc=Dieses Modul trägt in real time einige Events in eine Log (block chain), die nicht nicht verändert werden kann. Dieses Modul ermöglicht so eine Kompatibilität mit den Finanzregeln, die in einigen Ländern gemacht wurden (zB in Frankreich Loi de Finance 2016 NF525) Fingerprints=Eingetragene Events und Fingerprints FingerprintsDesc=Ein Tool, um die Bolckedlog Einträge zu listen und zu exportieren. Blocked Logas werden auf dem lokalen Dolibarr Server eingetragen, in einer speziellen Database Table, und das, autoamtisch in real Time. Mit diesem Tool kann man dann Exporte erstellen. -CompanyInitialKey=Ihre eigene Verschlüsselungs key (Hash) +CompanyInitialKey=Ihr Hashkey BrowseBlockedLog=Unveränderbare Logs ShowAllFingerPrintsMightBeTooLong=Unveränderbare Logs anzeigen (kann lange dauern...) ShowAllFingerPrintsErrorsMightBeTooLong=Non valid Logs anzeigen (kann lange dauern) DownloadBlockChain=Fingerprints herunterladen -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists). -OkCheckFingerprintValidity=Der archivierte Logeintrag ist gültig. Die Daten in dieser Zeile wurden nicht geändert und der Eintrag folgt dem vorherigen. +KoCheckFingerprintValidity=Der archivierte Protokolleintrag ist ungültig. Dies bedeutet, dass Daten dieses Datensatzes nach der Aufzeichnung geändert wurden oder der vorherige archivierte Datensatz gelöscht wurde (überprüfen Sie, ob die Zeile mit dem vorangestellten # vorhanden ist). +OkCheckFingerprintValidity=Der archivierte Protokolleintrag ist gültig. Die Daten in dieser Zeile wurden nicht geändert und der Eintrag folgt dem Vorherigen. OkCheckFingerprintValidityButChainIsKo=Der archivierte Logeintrag scheint im Vergleich zum vorherigen gültig zu sein, aber die vorangehende Eintragskette wurde beschädigt. AddedByAuthority=In der Remote-Instanz gespeichert NotAddedByAuthorityYet=Noch nicht in der Remote-Instanz gespeichert @@ -28,7 +28,7 @@ logBILL_VALIDATE=Kundenrechnung bestätigt logBILL_SENTBYMAIL=Kundenrechnung per E-Mail versendet logBILL_DELETE=Kundenrechnung automatisch gelöscht logMODULE_RESET=Modul BlockedLog wurde deaktiviert -logMODULE_SET=Modul BlockedLog wurde aktiviert +logMODULE_SET=Modul wurde aktiviert logDON_VALIDATE=Spende bestätigt logDON_MODIFY=Spende geändert logDON_DELETE=Spende automatisch gelöscht @@ -39,16 +39,16 @@ logCASHCONTROL_VALIDATE=Aufzeichnung Kassenschnitt BlockedLogBillDownload=Kundenrechnung herunterladen BlockedLogBillPreview=Kundenrechnung - Vorschau BlockedlogInfoDialog=Details zum Log -ListOfTrackedEvents=Liste von nachverfolgten Ereignissen +ListOfTrackedEvents=Liste nachverfolgter Ereignisse Fingerprint=Fingerprint DownloadLogCSV=Eingetragene Logs exportieren (CSV) logDOC_PREVIEW=Vorschau eines validierten Dokuments zum Drucken oder Herunterladen logDOC_DOWNLOAD=Herunterladen eines validierten Dokuments zum Drucken oder Senden -DataOfArchivedEvent=Vollständige Daten zum archivierten Ereignis +DataOfArchivedEvent=Vollständige Daten des archivierten Ereignisses ImpossibleToReloadObject=Ursprüngliches Objekt (Typ %s, ID %s) nicht verknüpft (siehe Spalte 'Vollständige Daten' für die revisionssicher gespeicherten Daten) BlockedLogAreRequiredByYourCountryLegislation=Das Modul "Revisionssicheres Protokoll" kann von der Gesetzgebung Ihres Landes verlangt werden. Durch Deaktivieren dieses Moduls können zukünftige Transaktionen mit Bezug auf Gesetze und rechtssichere Software ungültig werden, da sie nicht durch eine Steuerprüfung validiert werden können. BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Das Modul "Revisionssicheres Protokoll" wurde aktiviert aufgrund der Gesetzgebung Ihres Landes. Durch Deaktivieren dieses Moduls können zukünftige Transaktionen mit Bezug auf Gesetze und rechtssichere Software ungültig werden, da sie nicht durch eine Steuerprüfung validiert werden können. -BlockedLogDisableNotAllowedForCountry=Liste der Länder, in denen die Verwendung dieses Moduls obligatorisch ist (nur um die versehentliche Deaktivierung des Moduls zu verhindern. Befindet sich Ihr Land in dieser Liste, ist das Deaktivieren des Moduls nicht möglich, ohne diese Liste zuerst zu bearbeiten. Beachten Sie: das Aktivieren / Deaktivieren dieses Moduls erzeugt einen Eintrag in das unveränderliche Protokoll). +BlockedLogDisableNotAllowedForCountry=Liste der Länder, in denen die Verwendung dieses Moduls obligatorisch ist (wird benutzt, um die versehentliche Deaktivierung des Moduls zu verhindern. Befindet sich Ihr Land in dieser Liste, ist das Deaktivieren des Moduls nicht möglich, ohne diese Liste vorher zu bearbeiten).\nBeachten Sie: das Aktivieren / Deaktivieren dieses Moduls erzeugt ebenfalls einen Eintrag in das unveränderliche Protokoll). OnlyNonValid=Nicht-bestätigt TooManyRecordToScanRestrictFilters=Anzahl der zu scannenden-/analysierenden Einträge ist zu hoch. Bitte schränken Sie die Liste mit restriktiveren Filtern ein. RestrictYearToExport=Beschränke Zeitraum (Monat/Jahr) für den Export diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang index 99596acd7d4..70f790be74c 100644 --- a/htdocs/langs/de_DE/boxes.lang +++ b/htdocs/langs/de_DE/boxes.lang @@ -24,12 +24,12 @@ BoxTitleLastRssInfos=%s neueste Neuigkeiten von %s BoxTitleLastProducts=Zuletzt bearbeitete Produkte/Leistungen (maximal %s) BoxTitleProductsAlertStock=Lagerbestands-Warnungen BoxTitleLastSuppliers=%s neueste Lieferanten -BoxTitleLastModifiedSuppliers=Zuletzt geänderte %s Lieferanten -BoxTitleLastModifiedCustomers=zuletzt %s veränderte Kunden -BoxTitleLastCustomersOrProspects=%s neueste Kunden oder Interessenten -BoxTitleLastCustomerBills=Neueste %s Kundenrechnungen -BoxTitleLastSupplierBills=Neueste %s Lieferantenrechnungen -BoxTitleLastModifiedProspects=neueste geänderte %s Interessenten +BoxTitleLastModifiedSuppliers=Zuletzt bearbeitete Lieferanten (maximal %s) +BoxTitleLastModifiedCustomers=Zuletzt bearbeitete Kunden (maximal %s) +BoxTitleLastCustomersOrProspects=Neueste Kunden oder Interessenten (maximal %s) +BoxTitleLastCustomerBills=Zuletzt bearbeitete Kundenrechnungen (maximal %s) +BoxTitleLastSupplierBills=Zuletzt bearbeitete Lieferantenrechnungen (maximal %s) +BoxTitleLastModifiedProspects=Zuletzte bearbeitete Interessenten (maximal %s) BoxTitleLastModifiedMembers=%s neueste Mitglieder BoxTitleLastFicheInter=Zuletzt bearbeitete Serviceaufträge (maximal %s) BoxTitleOldestUnpaidCustomerBills=Älteste offene Kundenrechnungen (maximal %s) @@ -78,10 +78,10 @@ BoxProposalsPerMonth=Angebote pro Monat NoTooLowStockProducts=Keine Produkte unter der Minimalgrenze BoxProductDistribution=Verteilung von Produkten/Leistungen ForObject=Auf %s -BoxTitleLastModifiedSupplierBills=%s zuletzt bearbeitete Lieferantenrechnungen -BoxTitleLatestModifiedSupplierOrders=%s zuletzt bearbeitete Lieferantenbestellungen -BoxTitleLastModifiedCustomerBills=%s zuletzt bearbeitete Kundenrechnungen -BoxTitleLastModifiedCustomerOrders=%s zuletzt bearbeitete Kundenaufträge +BoxTitleLastModifiedSupplierBills=Zuletzt bearbeitete Lieferantenrechnungen (maximal %s) +BoxTitleLatestModifiedSupplierOrders=zuletzt bearbeitete Lieferantenbestellungen (maximal %s) +BoxTitleLastModifiedCustomerBills=Zuletzt geänderte Kundenrechnungen (maximal %s) +BoxTitleLastModifiedCustomerOrders=Zuletzt bearbeitete Kundenaufträge (maximal %s) BoxTitleLastModifiedPropals=Zuletzt bearbeitete Angebote (maximal %s) ForCustomersInvoices=Kundenrechnungen ForCustomersOrders=Kundenaufträge diff --git a/htdocs/langs/de_DE/cashdesk.lang b/htdocs/langs/de_DE/cashdesk.lang index ea36609a634..029ddfb27f7 100644 --- a/htdocs/langs/de_DE/cashdesk.lang +++ b/htdocs/langs/de_DE/cashdesk.lang @@ -3,7 +3,7 @@ CashDeskMenu=POS Kasse CashDesk=Verkaufsstelle CashDeskBankCash=Bankkonto (Bargeld) CashDeskBankCB=Bankkonto (Kartenzahlung) -CashDeskBankCheque=Bankkonto(Scheckzahlung) +CashDeskBankCheque=Bankkonto (Scheckzahlung) CashDeskWarehouse=Warenlager CashdeskShowServices=Verkauf von Dienstleistungen CashDeskProducts=Produkte @@ -16,21 +16,21 @@ AddThisArticle=In Warenkorb legen RestartSelling=zurück zum Verkauf SellFinished=Verkauf abgeschlossen PrintTicket=Kassenbon drucken -SendTicket=Send ticket +SendTicket=Ticket senden NoProductFound=Kein Artikel gefunden ProductFound=Produkt gefunden NoArticle=Kein Artikel Identification=Identifikation Article=Artikel Difference=Differenz -TotalTicket=Gesamtanzahl Ticket +TotalTicket=Gesamtanzahl Tickets NoVAT=Keine Mehrwertsteuer bei diesem Verkauf Change=Rückgeld BankToPay=Konto für die Zahlung ShowCompany=Zeige Unternehmen ShowStock=Zeige Lager DeleteArticle=Klicken, um diesen Artikel zu entfernen -FilterRefOrLabelOrBC=Suche (Art-Nr./Name) +FilterRefOrLabelOrBC=Suche (Artikelnr./Name) UserNeedPermissionToEditStockToUsePos=Sie möchten den Lagerbestand bei Rechnungserstellung verringern. Benutzer, die POS verwenden, mussen also die Berechtigung zum Bearbeiten des Lagerbestands erhalten. DolibarrReceiptPrinter=Dolibarr Quittungsdrucker PointOfSale=Kasse @@ -45,24 +45,24 @@ OrderPrinters=Bondrucker SearchProduct=Produkt suchen Receipt=Beleg Header=Header -Footer=Fusszeile +Footer=Fußzeile AmountAtEndOfPeriod=Betrag am Ende der Periode (Tag, Monat oder Jahr) TheoricalAmount=Theoretischer Betrag RealAmount=Realer Betrag -CashFence=Cash fence +CashFence=Kassenschluss CashFenceDone=Kassenschnitt im Zeitraum durchgeführt NbOfInvoices=Anzahl der Rechnungen Paymentnumpad=Art des Pads zur Eingabe der Zahlung Numberspad=Nummernblock -BillsCoinsPad=Münzen und Banknoten Pad +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 CashDeskBankAccountFor=Standardkonto für Zahlungen in NoPaimementModesDefined=In der TakePOS-Konfiguration ist kein Zahlungsmodus definiert -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Gruppieren Sie die Mehrwertsteuer nach Steuersatz der Tickets/Quittungen +AutoPrintTickets=Tickets | Quittungen automatisch drucken +PrintCustomerOnReceipts=Kunden auf Tickets | Quittungen drucken EnableBarOrRestaurantFeatures=Aktivieren Sie Funktionen für Bar oder Restaurant ConfirmDeletionOfThisPOSSale=Bestätigen Sie die Löschung dieses aktuellen Verkaufs? ConfirmDiscardOfThisPOSSale=Möchten Sie diesen aktuellen Verkauf verwerfen? @@ -90,19 +90,23 @@ HeadBar=Kopfleiste SortProductField=Feld zum Sortieren von Produkten Browser=Browser BrowserMethodDescription=Schneller und einfacher Belegdruck. Nur wenige Parameter zum Konfigurieren der Quittung. Drucken via Browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. +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. -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +ByTerminal=über Terminal +TakeposNumpadUsePaymentIcon=Verwenden Sie das Zahlungssymbol auf dem Nummernblock +CashDeskRefNumberingModules=Nummerierungsmodul für POS-Verkäufe +CashDeskGenericMaskCodes6 =  Das Tag
{TN} wird zum Hinzufügen der Terminalnummer verwendet +TakeposGroupSameProduct=Gruppieren Sie dieselben Produktlinien +StartAParallelSale=Starten Sie einen neuen Parallelverkauf +ControlCashOpening=Kassenkontrolle bei POS-Öffnung +CloseCashFence=Kasse schließen +CashReport=Kassenbericht +MainPrinterToUse=Zu verwendender Hauptdrucker +OrderPrinterToUse=Drucker zur Verwendung bestellen +MainTemplateToUse=Hauptvorlage zu verwenden +OrderTemplateToUse=Bestellvorlage zur Verwendung +BarRestaurant=Bar Restaurant +AutoOrder=Automatische Kundenbestellung +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang index 44958e478ea..5b48f9de69a 100644 --- a/htdocs/langs/de_DE/categories.lang +++ b/htdocs/langs/de_DE/categories.lang @@ -32,7 +32,7 @@ WasAddedSuccessfully= %s wurde erfolgreich hinzugefügt. ObjectAlreadyLinkedToCategory=Element ist bereits mit dieser Kategorie verknüpft. ProductIsInCategories=Dieses Produkt / diese Leistung ist folgenden Kategorien zugewiesen CompanyIsInCustomersCategories=Dieser Partner ist folgenden Kundenkategorien zugewiesen -CompanyIsInSuppliersCategories=Dieser Geschäftspartner ist folgenden Lieferantenkategorien zugewiesen: +CompanyIsInSuppliersCategories=Diesem Geschäftspartner ist folgende Lieferantenkategorie zugewiesen MemberIsInCategories=Dieses Mitglied ist folgenden Mitgliederkategorien zugewiesen ContactIsInCategories=Dieser Kontakt ist folgenden Kontaktkategorien zugewiesen ProductHasNoCategory=Dieses Produkt / diese Leistung ist keiner Kategorie zugewiesen. @@ -43,8 +43,8 @@ ProjectHasNoCategory=Dieses Projekt ist keiner Kategorie zugewiesen. ClassifyInCategory=Hinzufügen NotCategorized=ohne Kategoriezuordnung CategoryExistsAtSameLevel=Diese Kategorie existiert bereits auf diesem Level -ContentsVisibleByAllShort=Öffentlicher Inhalt -ContentsNotVisibleByAllShort=Privater Inhalt +ContentsVisibleByAllShort=öffentlicher Inhalt +ContentsNotVisibleByAllShort=privater Inhalt DeleteCategory=Kategorie löschen ConfirmDeleteCategory=Möchten Sie diese Kategorie wirklich löschen? NoCategoriesDefined=Keine Kategorie definiert @@ -62,14 +62,8 @@ ContactCategoriesShort=Kontaktkategorien AccountsCategoriesShort=Konten-Kategorien ProjectsCategoriesShort=Projektkategorien UsersCategoriesShort=Benutzerkategorien -StockCategoriesShort=Lagerort Kategorien -ThisCategoryHasNoProduct=Diese Kategorie enthält keine Produkte. -ThisCategoryHasNoSupplier=Diese Kategorie enthält keine Lieferanten. -ThisCategoryHasNoCustomer=Diese Kategorie enthält keine Kunden. -ThisCategoryHasNoMember=Diese Kategorie enthält keine Mitglieder. -ThisCategoryHasNoContact=Diese Kategorie enthält keine Kontakte. -ThisCategoryHasNoAccount=Diese Kategorie enthält keine Konten. -ThisCategoryHasNoProject=Diese Kategorie enthält keine Projekte. +StockCategoriesShort=Lagerort-Kategorien +ThisCategoryHasNoItems=Diese Kategorie enthält keine Elemente. CategId=Kategorie-ID CatSupList=Liste der Lieferanten-Kategorien CatCusList=Liste der Kunden-/ Interessentenkategorien @@ -90,6 +84,7 @@ AddProductServiceIntoCategory=Folgendes Produkt / folgende Leistung dieser Kateg ShowCategory=Zeige Kategorie ByDefaultInList=Standardwert in Liste ChooseCategory=Kategorie auswählen -StocksCategoriesArea=Bereich Lagerort Kategorien +StocksCategoriesArea=Bereich Lagerort-Kategorien ActionCommCategoriesArea=Bereich Ereignis-Kategorien +WebsitePagesCategoriesArea=Bereich für Seitencontainer-Kategorien UseOrOperatorForCategories=Benutzer oder Operator für Kategorien diff --git a/htdocs/langs/de_DE/commercial.lang b/htdocs/langs/de_DE/commercial.lang index 31e1b24238e..19051485884 100644 --- a/htdocs/langs/de_DE/commercial.lang +++ b/htdocs/langs/de_DE/commercial.lang @@ -29,8 +29,8 @@ ShowCustomer=Kunden anzeigen ShowProspect=Interessent anzeigen ListOfProspects=Liste der Interessenten ListOfCustomers=Kundenliste -LastDoneTasks=Letzte %s erledigte Aufgaben -LastActionsToDo=%s älteste nicht erledigte Aufgaben +LastDoneTasks=Zuletzt erledigte Aufgaben (maximal %s) +LastActionsToDo=Älteste nicht erledigte Aufgaben (maximal %s) DoneAndToDoActions=Abgeschlossene und zu unvollständige Ereignisse DoneActions=Abgeschlossene Ereignisse ToDoActions=Unvollständige Ereignisse diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang index 862481c2ae1..3a6d873cd92 100644 --- a/htdocs/langs/de_DE/companies.lang +++ b/htdocs/langs/de_DE/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Übersicht Geschäftsanbahnung IdThirdParty=Partner-ID IdCompany=Firmen-ID IdContact=Kontakt-ID -Contacts=Kontakte/Adressen ThirdPartyContacts=Partnerkontakte ThirdPartyContact=Partner-Kontakt/-Adresse Company=Firma @@ -30,7 +29,7 @@ Companies=Firmen CountryIsInEEC=Land ist EU-Mitglied PriceFormatInCurrentLanguage=Preisanzeigeformat in der aktuellen Sprache und Währung ThirdPartyName=Name des Partners -ThirdPartyEmail=Partner Email +ThirdPartyEmail=Partner E-Mail ThirdParty=Geschäftspartner ThirdParties=Geschäftspartner ThirdPartyProspects=Interessenten @@ -57,7 +56,7 @@ NatureOfThirdParty=Art des Partners NatureOfContact=Art des Kontakts Address=Adresse State=Bundesland -StateCode=Länder-/Regions-Code +StateCode=Länder-/Regioncode StateShort=Staat Region=Region Region-State=Bundesland @@ -298,7 +297,8 @@ AddContact=Kontakt anlegen AddContactAddress=Kontakt/Adresse anlegen EditContact=Kontakt bearbeiten EditContactAddress=Kontakt/Adresse bearbeiten -Contact=Kontakt +Contact=Kontakt/Adresse +Contacts=Kontakte/Adressen ContactId=Kontakt-ID ContactsAddresses=Kontakte/Adressen FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Firma "%s" aus der Datenbank gelöscht. ListOfContacts=Liste der Kontakte ListOfContactsAddresses=Liste der Kontakte ListOfThirdParties=Liste der Partner -ShowContact=Kontakt anzeigen +ShowCompany=Drittanbieter +ShowContact=Kontakt-Adresse ContactsAllShort=Alle (kein Filter) ContactType=Kontaktart ContactForOrders=Bestellungskontakt @@ -424,7 +425,7 @@ ListSuppliersShort=Liste der Lieferanten ListProspectsShort=Liste der Interessenten ListCustomersShort=Liste der Kunden ThirdPartiesArea=Partner und Kontakte -LastModifiedThirdParties=%s zuletzt bearbeitete Partner +LastModifiedThirdParties=Neueste %s modifizierte Geschäftspartner UniqueThirdParties=Gesamtzahl Partner InActivity=aktiv ActivityCeased=inaktiv @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Vorname des Vertreter SaleRepresentativeLastname=Nachname des Vertreter ErrorThirdpartiesMerge=Es gab einen Fehler beim Löschen des Partners. Bitte Details sind im Prokoll zu finden. Die Löschung wurden rückgängig gemacht. NewCustomerSupplierCodeProposed=Kunden- oder Lieferantennummer wird bereits verwendet. \nEine neue Nummer wird empfohlen. -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Lassen Sie dieses Feld leer, wenn diese Adresse eine generische Adresse ist #Imports PaymentTypeCustomer=Zahlungsart - Kunde PaymentTermsCustomer=Zahlungsbedingung - Kunde diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index 11b23d8e79e..b2d9a2b4c1f 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Zeige %sZahlungsanalyse%s für die Berechnung der akt SeeReportInDueDebtMode=Zeige %sRechnungsanalyse%s für die Berechnung der aktuellen Rechnungen auch wenn diese noch nicht ins Hauptbuch übernommen wurden. SeeReportInBookkeepingMode=Siehe %sBuchungsreport%s für die Berechnung via Hauptbuch RulesAmountWithTaxIncluded=- Angezeigte Beträge enthalten alle Steuern -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Es beinhaltet ausstehende Rechnungen, Ausgaben, Mehrwertsteuer, Spenden, ob sie bezahlt sind oder nicht. Es sind auch bezahlte Gehälter enthalten.
- Es basiert auf dem Rechnungsdatum von Rechnungen und dem Fälligkeitsdatum für Ausgaben oder Steuerzahlungen. Für Gehälter, die mit dem Modul Gehalt definiert wurden, wird der Wert Datum der Zahlung verwendet. RulesResultInOut=- Es sind nur tatsächliche Zahlungen für Rechnungen, Kostenabrechnungen, USt und Gehälter enthalten.
- Bei Rechnungen, Kostenabrechnungen, USt und Gehälter gilt das Zahlugnsdatum. Bei Spenden gilt das Spendendatum. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+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. RulesAmountOnInOutBookkeepingRecord=Beinhaltet Datensätze aus dem Hauptbuch mit den Gruppen "Aufwand" oder "Ertrag" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Verrechneter Umsatz pro Steuersatz TurnoverCollectedbyVatrate=Realisierter Umsatz pro Steuersatz PurchasebyVatrate=Einkäufe pro Steuersatz LabelToShow=Kurzbezeichnung -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Kaufumsatz +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. +ReportPurchaseTurnover=Kaufumsatz in Rechnung gestellt +ReportPurchaseTurnoverCollected=Kaufumsatz gesammelt +IncludeVarpaysInResults = Nehmen Sie verschiedene Zahlungen in Berichte auf +IncludeLoansInResults = Kredite in Berichte aufnehmen diff --git a/htdocs/langs/de_DE/contracts.lang b/htdocs/langs/de_DE/contracts.lang index 38c9e82790f..59aaa3877e3 100644 --- a/htdocs/langs/de_DE/contracts.lang +++ b/htdocs/langs/de_DE/contracts.lang @@ -52,8 +52,8 @@ ListOfRunningServices=Liste aktiver Services NotActivatedServices=Inaktive Services (in freigegebenen Verträgen) BoardNotActivatedServices=Zu aktivierende Leistungen in freigegebenen Verträgen BoardNotActivatedServicesShort=Zu aktivierende Services -LastContracts=%s neueste Verträge -LastModifiedServices=%s zuletzt veränderte Leistungen +LastContracts=Neueste Verträge (maximal %s) +LastModifiedServices=Zuletzt veränderte Leistungen (maximal %s) ContractStartDate=Vertragsbeginn ContractEndDate=Vertragsende DateStartPlanned=Geplanter Beginn diff --git a/htdocs/langs/de_DE/donations.lang b/htdocs/langs/de_DE/donations.lang index 838581be4dd..026e716694c 100644 --- a/htdocs/langs/de_DE/donations.lang +++ b/htdocs/langs/de_DE/donations.lang @@ -7,7 +7,6 @@ AddDonation=Spende erstellen NewDonation=neue Spende DeleteADonation=eine Spende löschen ConfirmDeleteADonation=Sind Sie sicher, dass Sie diese Spende löschen möchten? -ShowDonation=Spenden anzeigen PublicDonation=öffentliche Spenden DonationsArea=Spenden - Übersicht DonationStatusPromiseNotValidated=Zugesagt (nicht freigegeben) @@ -22,7 +21,7 @@ DonationDatePayment=Zahlungsdatum ValidPromess=Zusage freigeben DonationReceipt=Spendenbescheinigung DonationsModels=Spendenvorlagen -LastModifiedDonations=%s zuletzt geänderte Spenden +LastModifiedDonations=Zuletzt bearbeitete Spenden (maximal %s) DonationRecipient=Spenden Empfänger IConfirmDonationReception=Der Empfänger bestätigt den Erhalt einer Spende in Höhe von MinimumAmount=Mindestbetrag ist %s diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index 9ad6bef1441..14fca6eea70 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -44,7 +44,7 @@ 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-Mailbetreff ist notwendig +ErrorSubjectIsRequired=Der E-Mail-Betreff ist obligatorisch ErrorFailedToCreateDir=Fehler beim Erstellen eines Verzeichnisses. Vergewissern Sie sich, dass der Webserver-Benutzer Schreibberechtigungen für das Dokumentverzeichnis des Systems besitzt. Bei aktiviertem safe_mode sollten die Systemdateien den Webserver-Benutzer oder die -Gruppe als Besitzer haben. ErrorNoMailDefinedForThisUser=Für diesen Benutzer ist keine E-Mail-Adresse eingetragen. ErrorFeatureNeedJavascript=Diese Funktion erfordert aktiviertes JavaScript. Sie können dies unter Einstellungen-Anzeige ändern. @@ -59,7 +59,7 @@ 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. ErrorFileSizeTooLarge=Die Größe der gewählten Datei übersteigt den zulässigen Maximalwert. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Das Feld %s ist zu lang. ErrorSizeTooLongForIntType=Die Größe überschreitet das Maximum für den Typ 'int' (%s Ziffern maximal) ErrorSizeTooLongForVarcharType=Die Größe überschreitet das Maximum für den Typ 'string' (%s Zeichen maximal) ErrorNoValueForSelectType=Bitte Wert für Auswahlliste eingeben @@ -118,8 +118,8 @@ ErrorLoginDoesNotExists=Benutzer mit Anmeldung %s konnte nicht gefunden w ErrorLoginHasNoEmail=Dieser Benutzer hat keine E-Mail-Adresse. Prozess abgebrochen. ErrorBadValueForCode=Sicherheitsschlüssel falsch ErrorBothFieldCantBeNegative=Die Felder %s und %s können nicht gleichzeitig negativ sein -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. +ErrorFieldCantBeNegativeOnInvoice=Das Feld %s darf für diesen Rechnungstyp nicht negativ sein. Wenn Sie eine Rabattzeile hinzufügen müssen, erstellen Sie zuerst den Rabatt (aus dem Feld '%s' auf der Karte eines Drittanbieters) und wenden Sie ihn dann auf die Rechnung an. +ErrorLinesCantBeNegativeForOneVATRate=Die Gesamtzahl der Zeilen kann für den Mehrwertsteuersatz nicht negativ sein. ErrorLinesCantBeNegativeOnDeposits=Zeilen in einer Anzahlung können nicht negativ sein. Es entstehen Probleme, wenn die Anzahlung in einer Rechnung verrechnet wird. ErrorQtyForCustomerInvoiceCantBeNegative=Mengen in Kundenrechnungen dürfen nicht negativ sein ErrorWebServerUserHasNotPermission=Der Benutzerkonto %s wurde verwendet um auf dem Webserver etwas auszuführen, hat aber keine Rechte dafür. @@ -234,9 +234,9 @@ ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Fehler, Angabe der Sprache ErrorLanguageOfTranslatedPageIsSameThanThisPage=Fehler, die Sprache der übersetzten Seite entspricht dieser Seite. ErrorBatchNoFoundForProductInWarehouse=Für das Produkt "%s" wurde im Lager "%s" keine Los / Seriennummer gefunden. ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Bestand nicht ausreichend für diese Los / Seriennummer für das Produkt "%s" im Lager "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorOnlyOneFieldForGroupByIsPossible=Nur ein Feld ist für 'Gruppieren nach' möglich (andere werden verworfen) +ErrorTooManyDifferentValueForSelectedGroupBy=Es wurden zu viele unterschiedliche Werte (mehr als %s ) für das Feld ' %s ' gefunden um 'Gruppieren nach' anzuzeigen. Das Feld 'Gruppieren nach' wurde entfernt. Vielleicht wollten Sie es als X-Achse verwenden? +ErrorReplaceStringEmpty=Fehler: die zu ersetzende Zeichenfolge ist leer # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. WarningPasswordSetWithNoAccount=Es wurde ein Passwort für dieses Mitglied vergeben, aber kein Benutzer erstellt. Das Passwort wird gespeichert, aber kann nicht für die Anmeldung an Dolibarr verwendet werden. Es kann von einem externen Modul/einer Schnittstelle verwendet werden, aber wenn Sie kein Login oder Passwort für dieses Mitglied definiert müssen, können Sie die Option "Login für jedes Mitglied verwalten" in den Mitgliedseinstellungen deaktivieren. Wenn Sie ein Login aber kein Passwort benötige, lassen Sie dieses Feld leer, um diese Meldung zu deaktivieren. Anmerkung: Die E-Mail-Adresse kann auch zur Anmeldung verwendet werden, wenn das Mitglied mit einem Benutzer verbunden wird. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Achtung, die Anzahl der verschi WarningDateOfLineMustBeInExpenseReportRange=Das Datum dieser Positionszeile ist ausserhalb der Datumsspanne dieser Spesenabrechnung WarningProjectClosed=Projekt ist geschlossen. Sie müssen es zuerst wieder öffnen. WarningSomeBankTransactionByChequeWereRemovedAfter=Einige Bank-Transaktionen wurden entfernt, nachdem der Kassenbon, der diese enthielt, erzeugt wurde. Daher wird sich die Anzahl der Checks und die Endsumme auf dem Kassenbon von der Anzahl und Endsumme in der Liste unterscheiden. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/de_DE/exports.lang b/htdocs/langs/de_DE/exports.lang index 04e6bdcf789..972584e5da7 100644 --- a/htdocs/langs/de_DE/exports.lang +++ b/htdocs/langs/de_DE/exports.lang @@ -26,6 +26,8 @@ FieldTitle=Feldbezeichnung NowClickToGenerateToBuildExportFile=Wählen Sie nun im Kombinationsfeld das Dateiformat aus und klicken Sie auf "Generieren", um die Exportdatei zu erstellen ... AvailableFormats=verfügbare Formate LibraryShort=Bibliothek +ExportCsvSeparator=CSV-Trennzeichen +ImportCsvSeparator=CSV-Trennzeichen Step=Schritt FormatedImport=Import-Assistent FormatedImportDesc1=Mit diesem Modul können Sie vorhandene Daten aktualisieren oder mithilfe eines Assistenten neue Objekte aus einer Datei in die Datenbank einfügen, ohne über technische Kenntnisse zu verfügen. diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang index fbb277a477d..f53d448d35b 100644 --- a/htdocs/langs/de_DE/holiday.lang +++ b/htdocs/langs/de_DE/holiday.lang @@ -11,10 +11,10 @@ DateFinCP=Urlaubsende DraftCP=Entwurf ToReviewCP=wartet auf Genehmigung ApprovedCP=genehmigt -CancelCP=Storniert +CancelCP=storniert RefuseCP=abgelehnt -ValidatorCP=Genehmiger -ListeCP=Urlaubsübersicht +ValidatorCP=genehmigt durch +ListeCP=Urlaubsliste LeaveId=Urlaubs-ID ReviewedByCP=Wird geprüft von UserID=Benutzer ID @@ -120,7 +120,7 @@ HolidaysValidatedBody=Ihr Antrag auf Urlaub von %s bis %s wurde bewilligt. HolidaysRefused=Anfrage abgelehnt HolidaysRefusedBody=Ihr Urlaubsantrag von %s bis %s wurde aus folgendem Grund abgelehnt HolidaysCanceled=stornierter Urlaubsantrag -HolidaysCanceledBody=Ihr Urlaubsantrag von %s bis %s wurde storniert. +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. @@ -131,5 +131,3 @@ FreeLegalTextOnHolidays=Freitext als PDF WatermarkOnDraftHolidayCards=Wasserzeichen auf Urlaubsantragsentwurf (leerlassen wenn keines benötigt wird) HolidaysToApprove=Urlaubstage zu genehmigen NobodyHasPermissionToValidateHolidays=Niemand hat die Erlaubnis, Feiertage zu bestätigen. -Morning=Vormittags -Afternoon=Nachmittags diff --git a/htdocs/langs/de_DE/hrm.lang b/htdocs/langs/de_DE/hrm.lang index bb966df08b9..f5c3dfb7a5c 100644 --- a/htdocs/langs/de_DE/hrm.lang +++ b/htdocs/langs/de_DE/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=Sind Sie sicher, dass Sie diese Einrichtung löschen OpenEtablishment=Einrichtung öffnen CloseEtablishment=Einrichtung schliessen # Dictionary +DictionaryPublicHolidays=PV - Öffentliche Feiertage DictionaryDepartment=PV - Abteilungsliste -DictionaryFunction=PV - Stellenbezeichnungen Liste +DictionaryFunction=HRM - Job positions # Module Employees=die Mitarbeiter Employee=Mitarbeiter/in diff --git a/htdocs/langs/de_DE/install.lang b/htdocs/langs/de_DE/install.lang index 3638d1a5e3a..84260f8cc78 100644 --- a/htdocs/langs/de_DE/install.lang +++ b/htdocs/langs/de_DE/install.lang @@ -16,18 +16,18 @@ PHPSupportCurl=Ihre PHP-Konfiguration unterstützt cURL. PHPSupportCalendar=Ihre PHP-Konfiguration unterstützt die Kalender-Erweiterungen. PHPSupportUTF8=Ihre PHP-Konfiguration unterstützt die UTF8-Funktionen. PHPSupportIntl=Ihre PHP-Konfiguration unterstützt die Internationalisierungs-Funktionen. -PHPSupportxDebug=Ihre PHP-Konfiguration unterstützt erweiterte Fehleranalyse-Funktionen. +PHPSupportxDebug=Dieses PHP unterstützt erweiterte Debug-Funktionen. PHPSupport=Dieses PHP unterstützt %s-Funktionen. PHPMemoryOK=Die Sitzungsspeicherbegrenzung ihrer PHP-Konfiguration steht auf %s. Dies sollte ausreichend sein. PHPMemoryTooLow=Der maximale PHP-Sitzungsspeicher ist auf %s Bytes gesetzt. Dieser Wert ist zu niedrig. Ändern sie den Parameter memory_limit in der php.ini auf mindestens %s Bytes! Recheck=Klicken Sie hier für einen detailierteren Test. -ErrorPHPDoesNotSupportSessions=Ihre PHP-Konfiguration unterstützt die Sitzungs-Funktionen nicht. Diese Funktion wird jedoch für Dolibarr benötigt. Bitte prüfen sie das PHP-Setup und die Zugriffsrechte auf das Sitzungs-Verzeichnis. -ErrorPHPDoesNotSupportGD=Ihre PHP-Konfiguration unterstützt die GD Grafik-Funktionen nicht. Grafiken werden nicht verfügbar sein. -ErrorPHPDoesNotSupportCurl=Ihre PHP-Konfiguration unterstützt die Erweiterung Curl nicht -ErrorPHPDoesNotSupportCalendar=Ihre PHP-Konfiguration unterstützt die Kalender-Erweiterungen nicht. -ErrorPHPDoesNotSupportUTF8=Ihre PHP-Konfiguration unterstützt die UTF8-Funktionen nicht. Dolibarr wird nicht korrekt funktionieren. Beheben Sie das Problem vor der Installation. +ErrorPHPDoesNotSupportSessions=Ihre PHP-Installation unterstützt die Sitzungs-Funktionen nicht. Diese Funktion wird jedoch für Dolibarr benötigt. Bitte prüfen sie das PHP-Setup und die Zugriffsrechte auf das Sitzungs-Verzeichnis. +ErrorPHPDoesNotSupportGD=Ihre PHP-Installation unterstützt die GD Grafik-Funktionen nicht. Grafiken werden nicht verfügbar sein. +ErrorPHPDoesNotSupportCurl=Ihre PHP-Version unterstützt die Erweiterung Curl nicht +ErrorPHPDoesNotSupportCalendar=Ihre PHP-Installation unterstützt die Kalender-Erweiterungen nicht. +ErrorPHPDoesNotSupportUTF8=Ihre PHP-Installation unterstützt die UTF8-Funktionen nicht. Dolibarr wird nicht korrekt funktionieren. Beheben Sie das Problem vor der Installation. ErrorPHPDoesNotSupportIntl=Ihre PHP-Konfiguration unterstützt keine Internationalisierungsfunktion (intl-extension). -ErrorPHPDoesNotSupportxDebug=Ihre PHP-Konfiguration unterstützt keine erweiterte Fehleranalyse-Funktionen. +ErrorPHPDoesNotSupportxDebug=Ihre PHP-Installation unterstützt keine erweiterten Debug-Funktionen. ErrorPHPDoesNotSupport=Ihre PHP-Installation unterstützt keine %s-Funktionen. ErrorDirDoesNotExists=Das Verzeichnis %s existiert nicht. ErrorGoBackAndCorrectParameters=Gehen Sie zurück und prüfen/korrigieren Sie die Parameter. @@ -151,7 +151,7 @@ KeepDefaultValuesProxmox=Sie haben den Dolibarr-Setup-Assistenten von einer virt UpgradeExternalModule=Führen Sie ein dediziertes Upgrade des externen Moduls durch SetAtLeastOneOptionAsUrlParameter=Zumindest eine Option für die URL Argumente ist notwendig. z.B. '...repair.php?standard=confirmed' NothingToDelete=Nichts zu säubern / zu löschen -NothingToDo=Keine Aufgaben zum erledigen +NothingToDo=Keine Aufgaben zu erledigen ######### # upgrade MigrationFixData=Denormalisierte Daten bereinigen @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Während des Migrationsprozesses wurden Fehler gemelde YouTryInstallDisabledByDirLock=Die Anwendung hat versucht, sich selbst zu aktualisieren, aber die Installations- / Aktualisierungsseiten wurden aus Sicherheitsgründen deaktiviert (Verzeichnis umbenannt mit .lock-Suffix).
YouTryInstallDisabledByFileLock=Die Anwendung hat versucht, sich selbst zu aktualisieren, aber die Installations-/Upgrade-Seiten wurden aus Sicherheitsgründen deaktiviert (durch die Existenz einer Sperrdatei install.lock im Dokumenten-Verzeichnis).
ClickHereToGoToApp=Hier klicken um zu Ihrer Anwendung zu kommen -ClickOnLinkOrRemoveManualy=Klicken Sie auf den folgenden Link. Wenn Sie immer die gleiche Seite sehen, müssen Sie die Datei install.lock im Dokumenten-Verzeichnis entfernen/umbenennen. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Geladen FunctionTest=Funktionstest diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang index b57e36ab117..26611a533a9 100644 --- a/htdocs/langs/de_DE/interventions.lang +++ b/htdocs/langs/de_DE/interventions.lang @@ -39,11 +39,9 @@ InterventionSentByEMail=Serviceauftrag %s per E-Mail versendet InterventionDeletedInDolibarr=Serviceauftrag %s gelöscht InterventionsArea=Übersicht Serviceaufträge DraftFichinter=Serviceaufträge entwerfen -LastModifiedInterventions=%s zuletzt bearbeitete Serviceaufträge -FichinterToProcess=Interventions to process -##### Types de contacts ##### +LastModifiedInterventions=Zuletzt bearbeitete Serviceaufträge (maximal %s) +FichinterToProcess=Zu bearbeitende Serviceaufträge TypeContact_fichinter_external_CUSTOMER=Kundenkontakt-Nachbetreuung -# Modele numérotation PrintProductsOnFichinter=Auch Produktzeilen (Nicht nur Leistungen) auf der Serviceauftragskarte drucken PrintProductsOnFichinterDetails=Serviceaufträge durch Bestellungen generiert UseServicesDurationOnFichinter=Standard-Wert der Dauer für diesen Service aus dem Auftrag übernehmen @@ -53,7 +51,6 @@ InterventionStatistics=Statistik Serviceaufträge NbOfinterventions=Anzahl Karten für Serviceaufträge NumberOfInterventionsByMonth=Anzahl Karten für Serviceaufträge pro Monat (Freigabedatum) AmountOfInteventionNotIncludedByDefault=Die Anzahl an Einsätzen ist normalerweise nicht im Umsatz enthalten. (In den meisten Fällen werden sie Einsatzstunden separat erfasst) Setzen Sie die globale Option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT auf 1 damit diese berücksichtigt werden. -##### Exports ##### InterId=Serviceauftrag ID InterRef=Serviceauftrag Ref. InterDateCreation=Erstellungsdatum Serviceauftrag @@ -65,3 +62,5 @@ InterLineId=Serviceauftragsposition ID InterLineDate=Serviceauftragsposition Datum InterLineDuration=Serviceauftragsposition Dauer InterLineDesc=Serviceauftragsposition Beschreibung +RepeatableIntervention=Vorlage der Intervention +ToCreateAPredefinedIntervention=Für eine vordefinierte oder wiederkehrende Intervention erstellen Sie zunächst eine gemeinsame Intervention und konvertieren diese dann in eine Vorlage diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index a2f484938be..43b147f90a6 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -15,10 +15,10 @@ MailToUsers=An Empfänger: MailCC=Kopie an MailToCCUsers=Kopie an Empfänger MailCCC=Blindkopie an -MailTopic=e-Mail Betreff +MailTopic=E-Mail-Betreff MailText=Inhalt MailFile=Angehängte Dateien -MailMessage=E-Mail Text +MailMessage=E-Mail-Text SubjectNotIn=Nicht im Betreff BodyNotIn=Nicht im Nachrichteninhalt ShowEMailing=Zeige E-Mail-Kampagne @@ -83,13 +83,13 @@ NbIgnored=Anzahl ignoriert NbSent=Anzahl gesendet SentXXXmessages=%s E-Mail(s) versendet. ConfirmUnvalidateEmailing=Möchten Sie die E-Mail-Kampange %s auf den Status "Entwurf" zurücksetzen? -MailingModuleDescContactsWithThirdpartyFilter=Kontakt mit Kunden Filter -MailingModuleDescContactsByCompanyCategory=Kontakte mit Partner Kategorie +MailingModuleDescContactsWithThirdpartyFilter=Kontakt mit Filter Kunden +MailingModuleDescContactsByCompanyCategory=Kontakte aus Kategorie Partner MailingModuleDescContactsByCategory=Kontakte nach Kategorien MailingModuleDescContactsByFunction=Kontakte nach Position MailingModuleDescEmailsFromFile=E-Mail-Adressen aus csv-Datei importieren MailingModuleDescEmailsFromUser=E-Mail-Adresse durch manuelle Eingabe hinzufügen -MailingModuleDescDolibarrUsers=Benutzer mit E-Mailadresse +MailingModuleDescDolibarrUsers=Benutzer mit E-Mail-Adresse MailingModuleDescThirdPartiesByCategories=Partner (nach Kategorien) SendingFromWebInterfaceIsNotAllowed=Versand vom Webinterface ist nicht erlaubt @@ -122,7 +122,7 @@ TagUnsubscribe="Abmelden"-Link TagSignature=Absender Signatur EMailRecipient=Empfänger E-Mail TagMailtoEmail=Empfänger E-Mail (beinhaltet html "mailto:" link) -NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender oder Empfänger Adresse. Benutzerprofil kontrollieren. +NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender- oder Empfängeradresse. Benutzerprofil kontrollieren. # Module Notifications Notifications=Benachrichtigungen NoNotificationsWillBeSent=Für dieses Ereignis und diesen Partner sind keine Benachrichtigungen geplant @@ -147,7 +147,7 @@ AdvTgtMaxVal=Maximalwert AdvTgtSearchDtHelp=Intervall verwenden um ein Datum auszuwählen AdvTgtStartDt=Startdatum AdvTgtEndDt=Enddatum -AdvTgtTypeOfIncudeHelp=Empfänger eMail des Partners und eMail des Kontakt des Partners, oder einfach nur Partner-eMail oder nur Kontakt-eMail +AdvTgtTypeOfIncudeHelp=Empfänger E-Mail des Partners und E-Mail des Kontakt des Partners, oder einfach nur Partner-E-Mail oder nur Kontakt-E-Mail AdvTgtTypeOfIncude=Empfänger AdvTgtContactHelp=Verwenden Sie nur, wenn Ihr Zielkontakt unter den "Typ des E-Mail-Empfänger" AddAll=Alle hinzufügen @@ -164,7 +164,7 @@ NoContactWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden NoContactLinkedToThirdpartieWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden OutGoingEmailSetup=Postausgang InGoingEmailSetup=Posteingang -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Einrichtung ausgehender E-Mails (für Modul %s) DefaultOutgoingEmailSetup=Standardeinstellungen für ausgehende E-Mails Information=Information ContactsWithThirdpartyFilter=Kontakte mit Drittanbieter-Filter diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index d7f70d294ed..9731aede882 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Für diesen E-Mail-Typ ist keine Vorlage verfügbar AvailableVariables=verfügbare Variablen NoTranslation=Keine Übersetzung Translation=Übersetzung -EmptySearchString=Geben Sie eine Such-Zeichenkette ein. +EmptySearchString=Keine leeren Suchkriterien eingeben NoRecordFound=Keinen Eintrag gefunden NoRecordDeleted=Keine Datensätze gelöscht NotEnoughDataYet=nicht genügend Daten @@ -45,7 +45,7 @@ ErrorConstantNotDefined=Parameter %s nicht definiert ErrorUnknown=Unbekannter Fehler ErrorSQL=SQL-Fehler ErrorLogoFileNotFound=Logo-Datei '%s' nicht gefunden -ErrorGoToGlobalSetup=Bitte wechseln Sie zu den 'Firma/Stiftung'-Einstellungen um das Problem zu beheben +ErrorGoToGlobalSetup=Bitte wechseln Sie zu den 'Firma/Organisation'-Einstellungen um das Problem zu beheben ErrorGoToModuleSetup=Bitte wechseln Sie zu den Moduleinstellungen um das Problem zu beheben ErrorFailedToSendMail=Fehler beim Senden der E-Mail (Absender=%s, Empfänger=%s) ErrorFileNotUploaded=Die Datei konnte nicht hochgeladen werden. Stellen Sie sicher dass die Dateigröße nicht den gesetzten Maximalwert übersteigt, das Zielverzeichnis über genügend freien Speicherplatz verfügt und noch keine Datei mit gleichem Namen existiert. @@ -62,7 +62,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Einige Fehler wurden gefunden. Änderungen ErrorConfigParameterNotDefined=Parameter %s ist innerhalb der Konfigurationsdatei conf.php. nicht definiert. ErrorCantLoadUserFromDolibarrDatabase=Benutzer %s in der Dolibarr-Datenbank nicht gefunden ErrorNoVATRateDefinedForSellerCountry=Fehler, keine MwSt.-Sätze für Land '%s' definiert. -ErrorNoSocialContributionForSellerCountry=Fehler, Sozialabgaben/Steuerwerte für Land '%s' nicht definiert. +ErrorNoSocialContributionForSellerCountry=Fehler, Sozialabgaben/Steuerwerte für Staat '%s' nicht definiert. ErrorFailedToSaveFile=Fehler, konnte Datei nicht speichern. ErrorCannotAddThisParentWarehouse=Sie versuchen ein Hauptlager hinzuzufügen, das bereits ein Unterlager eines existierenden Lagerortes ist MaxNbOfRecordPerPage=Max. Anzahl der Datensätze pro Seite @@ -174,7 +174,7 @@ SaveAndStay=Speichern und bleiben SaveAndNew=Speichern und neu TestConnection=Verbindung testen ToClone=Duplizieren -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Möchten Sie das Objekt %s sicher klonen? ConfirmClone=Wählen Sie die zu duplizierenden Daten: NoCloneOptionsSpecified=Keine Duplikationsoptionen ausgewählt. Of=von @@ -187,6 +187,8 @@ ShowCardHere=Zeige Karte Search=Suchen SearchOf=Suche nach SearchMenuShortCut=STRG + Umschalt + f +QuickAdd=Schnelles Hinzufügen +QuickAddMenuShortCut=Ctrl (bzw. Strg) + Umschalttaste + l Valid=Freigeben Approve=Genehmigen Disapprove=Abgelehnt @@ -281,7 +283,7 @@ DateApprove=Genehmigungsdatum DateApprove2=Genehmigungsdatum (zweite Genehmigung) RegistrationDate=Registrierungsdatum UserCreation=Erzeuge Datenbank-Benutzer -UserModification=Aktualisierungs-Benutzer +UserModification=Aktualisierung Benutzer UserValidation=Gültigkeitsprüfung Benutzer UserCreationShort=Erzeuger UserModificationShort=Aktualisierer @@ -344,7 +346,7 @@ Price=Preis PriceCurrency=Preis (Währung) UnitPrice=Stückpreis UnitPriceHT=Stückpreis (netto) -UnitPriceHTCurrency=Stückpreis (Netto) (Währung) +UnitPriceHTCurrency=Stückpreis (netto) (Währung) UnitPriceTTC=Stückpreis (brutto) PriceU=VP PriceUHT=VP (netto) @@ -374,7 +376,7 @@ AmountLT2ES=Betrag IRPF AmountTotal=Gesamtbetrag AmountAverage=Durchschnittsbetrag PriceQtyMinHT=Mindestmengenpreis (netto) -PriceQtyMinHTCurrency=Stückpreis pro Menge (Netto) (Währung) +PriceQtyMinHTCurrency=Stückpreis pro Menge (netto) (Währung) Percentage=Prozentsatz Total=Gesamt SubTotal=Zwischensumme @@ -397,7 +399,7 @@ TotalLT1IN=Gesamt CGST TotalLT2IN=Gesamt SGST HT=Netto TTC=Brutto -INCVATONLY=Inkl. UmSt. +INCVATONLY=Inkl. USt. INCT=Inkl. aller Steuern VAT=USt. VATIN=IGST @@ -421,11 +423,12 @@ Sum=Summe Delta=Delta StatusToPay=Zu zahlen RemainToPay=noch offen -Module=Modul/Applikation -Modules=Modul/Applikation +Module=Module / Anwendungen +Modules=Module / Anwendungen Option=Option List=Liste FullList=Vollständige Liste +FullConversation=Ganzes Gespräch Statistics=Statistik OtherStatistics=Weitere Statistiken Status=Status @@ -433,7 +436,7 @@ Favorite=Favorit ShortInfo=Info. Ref=Nr. ExternalRef=Externe-ID -RefSupplier=Lieferanten Zeichen +RefSupplier=Lieferanten-Zeichen RefPayment=Zahlungsref.-Nr. CommercialProposalsShort=Angebote Comment=Kommentar @@ -507,7 +510,7 @@ StatusInterInvoiced=Berechnet Validated=Bestätigt Opened=Geöffnet OpenAll=Öffnen (Alle) -ClosedAll=Schliessen (Alle) +ClosedAll=Schließen (Alle) New=Neu Discount=Rabatt Unknown=Unbekannt @@ -529,7 +532,7 @@ None=Keine NoneF=Keine NoneOrSeveral=Keine oder mehrere Late=Verspätet -LateDesc=Ein Element wird gemäß der Systemkonfiguration im Menü Home - Setup - Alerts als verzögert definiert. +LateDesc=Ein Element wird gemäß der Systemkonfiguration im Menü Start - Einstellungen - Benachrichtigungen als verzögert angezeigt. NoItemLate=Keine späten Einträge Photo=Bild Photos=Bilder @@ -537,7 +540,7 @@ AddPhoto=Bild hinzufügen DeletePicture=Bild löschen ConfirmDeletePicture=Bild wirklich löschen? Login=Benutzername -LoginEmail=Benutzer (Email) +LoginEmail=Benutzer (E-Mail) LoginOrEmail=Benutzername oder E-Mail-Adresse CurrentLogin=Aktuelle Anmeldung EnterLoginDetail=Bitte geben ie Ihre Login-Daten ein @@ -663,6 +666,7 @@ Owner=Eigentümer FollowingConstantsWillBeSubstituted=Nachfolgende Konstanten werden durch entsprechende Werte ersetzt. Refresh=Aktualisieren BackToList=Zurück zur Liste +BackToTree=Zurück zum Verzeichnisbaum GoBack=Zurück CanBeModifiedIfOk=Änderung möglich falls gültig CanBeModifiedIfKo=Änderung möglich falls ungültig @@ -689,7 +693,7 @@ NeverReceived=Nie erhalten Canceled=Storniert YouCanChangeValuesForThisListFromDictionarySetup=Sie können die Listenoptionen unter Start - Einstellungen - Stammdaten anpassen YouCanChangeValuesForThisListFrom=Werte für diese Liste können im Menü %s bearbeitet werden -YouCanSetDefaultValueInModuleSetup=Sie können den Standardwert im Modul-Setup festlegen, der beim Erstellen eines neuen Datensatzes verwendet wird +YouCanSetDefaultValueInModuleSetup=Sie können den Standardwert beim Erstellen eines neuen Datensatzes festlegen (Modul-Setup). Color=Farbe Documents=Verknüpfte Dokumente Documents2=Dokumente @@ -781,7 +785,7 @@ EditWithEditor=Mit CKEditor bearbeiten EditWithTextEditor=Mit Texteditor bearbeiten EditHTMLSource=HTML-Code bearbeiten ObjectDeleted=Objekt %s gelöscht -ByCountry=Nach Land +ByCountry=Nach Staat ByTown=Nach Ort ByDate=Nach Datum ByMonthYear=von Monat/Jahr @@ -830,8 +834,8 @@ Gender=Geschlecht Genderman=männlich Genderwoman=weiblich ViewList=Listenansicht -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantt-Ansicht +ViewKanban=Kanban-Ansicht Mandatory=Pflichtfeld Hello=Hallo GoodBye=Auf Wiedersehen @@ -839,6 +843,7 @@ Sincerely=Mit freundlichen Grüßen ConfirmDeleteObject=Sind Sie sicher, dass Sie dieses Objekt löschen wollen? DeleteLine=Zeile löschen ConfirmDeleteLine=Möchten Sie diese Zeile wirklich löschen? +ErrorPDFTkOutputFileNotFound=Fehler: Datei wurde nicht generiert. Überprüfen Sie, ob der Befehl 'pdftk' in einem Verzeichnis installiert ist, das in der Umgebungsvariablen $ PATH enthalten ist (nur Linux / Unix), oder kontaktieren Sie ihren Systemadministrator. NoPDFAvailableForDocGenAmongChecked=In den selektierten Datensätzen war kein PDF zur Erstellung der Dokumente vorhanden. TooManyRecordForMassAction=Zu viele Einträge für Massenaktion selektiert. Die Aktion ist auf eine Liste von %s Einträgen beschränkt. NoRecordSelected=Kein Datensatz ausgewählt @@ -953,12 +958,13 @@ SearchIntoMembers=Mitglieder SearchIntoUsers=Benutzer SearchIntoProductsOrServices=Produkte oder Dienstleistungen SearchIntoProjects=Projekte +SearchIntoMO=Fertigungsaufträge SearchIntoTasks=Aufgaben SearchIntoCustomerInvoices=Kundenrechnungen SearchIntoSupplierInvoices=Lieferantenrechnungen SearchIntoCustomerOrders=Verkaufsaufträge SearchIntoSupplierOrders=Lieferantenbestellungen -SearchIntoCustomerProposals=Kunden Angebote +SearchIntoCustomerProposals=Angebote SearchIntoSupplierProposals=Lieferantenangebote SearchIntoInterventions=Serviceaufträge SearchIntoContracts=Verträge @@ -986,7 +992,7 @@ Deletedraft=Entwurf löschen ConfirmMassDraftDeletion=Bestätigung Massenlöschung Entwurf FileSharedViaALink=Datei via Link geteilt SelectAThirdPartyFirst=Wähle zuerst einen Partner... -YouAreCurrentlyInSandboxMode=Sie befinden sich derzeit im %s "Sandbox" -Modus +YouAreCurrentlyInSandboxMode=Sie befinden sich derzeit im %s "Sandbox"-Modus Inventory=Inventur AnalyticCode=Analyse-Code TMenuMRP=Produktion @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Wählen Sie Ihre Diagrammoptionen aus, um ein Diagra Measures=Maße XAxis=X-Achse YAxis=Y-Achse -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Dateilöschung bestätigen -DeleteFileText=Möchten sie diese Datei wirklich löschen? +StatusOfRefMustBe=Der Status von %s muss %s sein +DeleteFileHeader=Bestätigen Sie das Löschen der Datei +DeleteFileText=Möchten Sie diese Datei wirklich löschen? +ShowOtherLanguages=Andere Sprachen anzeigen +SwitchInEditModeToAddTranslation=Wechseln Sie in den Bearbeitungsmodus, um Übersetzungen für diese Sprache hinzuzufügen +NotUsedForThisCustomer=Wird für diesen Kunden nicht verwendet +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index 00594d9ea07..0bf8393cf42 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - members MembersArea=Mitgliederbereich MemberCard=Mitgliedskarte -SubscriptionCard=Abonnement - Karte +SubscriptionCard=Beitrag - Karte Member=Mitglied Members=Mitglieder ShowMember=Zeige Mitgliedskarte UserNotLinkedToMember=Der Benutzer ist keinem Mitglied zugewiesen ThirdpartyNotLinkedToMember=Drittanbieter ist nicht mit einem Mitglied verknüpft MembersTickets=Tickets von Mitgliedern -FundationMembers=Stiftungsmitglieder +FundationMembers=Stiftungs-/Vereinsmitglieder ListOfValidatedPublicMembers=Liste der freigegebenen, öffentlichen Mitglieder ErrorThisMemberIsNotPublic=Dieses Mitglied ist nicht öffentlich ErrorMemberIsAlreadyLinkedToThisThirdParty=Ein anderes Mitglied (Name: %s, Benutzername: %s) ist bereits mit dem Partner %s verbunden. Bitte entfernen Sie diese Verknüpfung zuerst, da ein Partner nur einem Mitglied zugewiesen sein kann (und umgekehrt). @@ -19,7 +19,7 @@ MembersCards=Visitenkarten der Mitglieder MembersList=Liste der Mitglieder MembersListToValid=Liste freizugebender Mitglieder MembersListValid=Liste freigegebener Mitglieder -MembersListUpToDate=Liste freigegebener Mitglieder mit aktuellem Abonnement +MembersListUpToDate=Liste freigegebener Mitglieder mit aktuellem Beitrag MembersListNotUpToDate=Liste freigegebener Mitglieder mit veraltetem Abonnement MembersListResiliated=Liste der deaktivierten Mitglieder MembersListQualified=Liste der qualifizierten Mitglieder @@ -30,21 +30,21 @@ MenuMembersNotUpToDate=Deaktivierte Mitglieder MenuMembersResiliated=Deaktivierte Mitglieder MembersWithSubscriptionToReceive=Mitglieder mit ausstehendem Beitrag MembersWithSubscriptionToReceiveShort=Zu registrierende Mitglieder -DateSubscription=Abo-Datum -DateEndSubscription=Abo-Ablaufdatum -EndSubscription=Abo-Ende -SubscriptionId=Abonnement-ID -MemberId=Mitglieds-ID +DateSubscription=Beitragsbeginn +DateEndSubscription=Ablauf Beitragszeitraum +EndSubscription=Beitragsende +SubscriptionId=Beitrag-ID +MemberId=Mitglied-ID NewMember=Neues Mitglied MemberType=Mitgliedsart -MemberTypeId=ID Mitgliedsart +MemberTypeId=Mitgliedsart-ID MemberTypeLabel=Bezeichnung der Mitgliedsart MembersTypes=Mitgliedsarten MemberStatusDraft=Entwurf (muss noch überprüft werden) -MemberStatusDraftShort=Scheck -MemberStatusActive=Freigegebene (Abonnement ausstehend) +MemberStatusDraftShort=Entwurf +MemberStatusActive=Freigegeben (Beitrag ausstehend) MemberStatusActiveShort=Bestätigt -MemberStatusActiveLate=Abonnement abgelaufen +MemberStatusActiveLate=Beitragszeitraum abgelaufen MemberStatusActiveLateShort=Abgelaufen MemberStatusPaid=Mitgliedschaft aktuell MemberStatusPaidShort=Aktuelle @@ -52,94 +52,94 @@ MemberStatusResiliated=Deaktivierte Mitglieder MemberStatusResiliatedShort=Deaktiviert MembersStatusToValid=Freizugebende MembersStatusResiliated=Deaktivierte Mitglieder -MemberStatusNoSubscription=Validiert (kein Abonnement erforderlich) +MemberStatusNoSubscription=Validiert (kein Beitrag erforderlich) MemberStatusNoSubscriptionShort=Freigegeben -SubscriptionNotNeeded=Kein Abonnement erforderlich +SubscriptionNotNeeded=Kein Beitrag erforderlich NewCotisation=Neuer Beitrag PaymentSubscription=Neue Beitragszahlung -SubscriptionEndDate=Ablaufdatum der Mitgliedschaft +SubscriptionEndDate=Ablaufdatum Beitragszahlung MembersTypeSetup=Mitgliedsarten einrichten MemberTypeModified=Mitgliedstyp geändert DeleteAMemberType=Löschen Sie einen Mitgliedstyp ConfirmDeleteMemberType=Möchten Sie diesen Mitgliedstyp wirklich löschen? MemberTypeDeleted=Mitgliedstyp gelöscht MemberTypeCanNotBeDeleted=Mitgliedstyp kann nicht gelöscht werden -NewSubscription=Neues Abonnement -NewSubscriptionDesc=In diesem Formular können Sie Ihr Abonnement als neues Mitglied der Stiftung angeben. Wenn Sie Ihr Abonnement erneuern (falls Sie Mitglied sind) wollen, kontaktieren Sie bitte den Stiftungsrat per E-Mail %s. -Subscription=Abonnement +NewSubscription=Neuer Beitrag +NewSubscriptionDesc=Hier können Sie Ihre Mitgliedschaft beantragen und den Beitrag als neues Mitglied festlegen.\nWenn Sie bereits Mitglied sind und eine Beitragszahlung erneuern möchten, kontaktieren Sie uns bitte per E-Mail %s. +Subscription=Beiträge Subscriptions=Mitgliedschaften / Beiträge SubscriptionLate=Verspätet -SubscriptionNotReceived=Abonnement nie erhalten +SubscriptionNotReceived=Beitrag nie erhalten ListOfSubscriptions=Liste der Beiträge SendCardByMail=Karte per E-Mail versenden AddMember=Mitglied erstellen NoTypeDefinedGoToSetup=Sie haben noch keine Mitgliedsarten definiert. Sie können dies unter Einstellungen-Mitgliedsarten vornehmen. NewMemberType=Neue Mitgliedsart -WelcomeEMail=Willkommen E-Mail -SubscriptionRequired=Abonnement erforderlich +WelcomeEMail=Willkommen per E-Mail +SubscriptionRequired=Beitrag erforderlich DeleteType=Lösche Gruppe VoteAllowed=Stimmrecht -Physical=Natürliche Person -Moral=Juristische Person -MorPhy=Juristisch/Natürlich +Physical=natürliche Person +Moral=juristische Person +MorPhy=juristisch/natürlich Reenable=Reaktivieren ResiliateMember=Mitglied deaktivieren ConfirmResiliateMember=Möchten Sie dieses Mitglied wirklich deaktivieren? DeleteMember=Mitglied löschen -ConfirmDeleteMember=Möchten Sie dieses Abonnement wirklich löschen? (Alle zugehörigen Buchungen werden gelöscht) -DeleteSubscription=Abonnement löschen -ConfirmDeleteSubscription=Sind Sie sicher, dass diese Buchung löschen wollen? +ConfirmDeleteMember=Möchten sie dieses Mitglied wirklich löschen? (Alle zugehörigen Beiträge werden gelöscht!) +DeleteSubscription=Beitrag löschen +ConfirmDeleteSubscription=Sind sie sicher, dass sie diesen Beitrag löschen wollen? Filehtpasswd=htpasswd Datei ValidateMember=Mitglied freigeben ConfirmValidateMember=Möchten Sie dieses Mitglied wirklich aktivieren? FollowingLinksArePublic=Die folgenden Links sind öffentlich zugängliche Seiten und als solche nicht durch die Dolibarr-Zugriffskontrolle geschützt. Es handelt sich dabei zudem um unformatierte Seiten, die beispielsweise eine Liste aller in der Datenbank eingetragenen Mitglieder anzeigen. PublicMemberList=Liste öffentlicher Mitglieder -BlankSubscriptionForm=Öffentliches Selbstabonnement -BlankSubscriptionFormDesc=Dolibarr kann Ihnen eine öffentliche URL / Website zur Verfügung stellen, die es externen Besuchern erlaubt, die Stiftung zu abonnieren. Wenn ein Online-Zahlungsmodul aktiviert ist, kann auch automatisch ein Zahlungsformular bereitgestellt werden. -EnablePublicSubscriptionForm=Aktivieren Sie die öffentliche Website mit dem Formular für das Selbstabonnement +BlankSubscriptionForm=Öffentliche Beitragserklärung +BlankSubscriptionFormDesc=Dolibarr kann ihnen eine öffentliche URL/Website zur Verfügung stellen, die es externen Besuchern erlaubt, einen Beitrag zu entrichten. Wenn ein Online-Zahlungsmodul aktiviert ist, kann auch automatisch ein Zahlungsformular bereitgestellt werden. +EnablePublicSubscriptionForm=Aktivieren der öffentlichen Webseite mit dem Formular für die Beitragshöhenerklärung (Mitgliedsantrag). ForceMemberType=Mitgliedsart erzwingen -ExportDataset_member_1=Mitglieder und Abonnements +ExportDataset_member_1=Mitglieder und Beiträge ImportDataset_member_1=Mitglieder LastMembersModified=%s zuletzt bearbeitete Mitglieder -LastSubscriptionsModified=%s neueste bearbeitete Mitgliedschaften +LastSubscriptionsModified=%s neueste bearbeitete Beiträge String=Zeichenkette Text=Text Int=Integer DateAndTime=Datum und Uhrzeit PublicMemberCard=Öffentliche Mitgliedskarte SubscriptionNotRecorded=Mitgliedschaft nicht erfasst -AddSubscription=Abonnement erstellen -ShowSubscription=Zeige Abonnement +AddSubscription=Beitrag erstellen +ShowSubscription=Zeige Beitrag # Label of email templates SendingAnEMailToMember=Informationsmail an Mitglied senden -SendingEmailOnAutoSubscription=E-Mail bei Selbstregistrierung senden -SendingEmailOnMemberValidation=E-Mail bei Mitgliedervalidierung senden -SendingEmailOnNewSubscription=E-Mail bei neuem Abonnement senden -SendingReminderForExpiredSubscription=E-Mail Erinnerung für abgelaufene Abonnemente senden +SendingEmailOnAutoSubscription=E-Mail bei Eigenregistrierung senden +SendingEmailOnMemberValidation=E-Mail bei Mitgliedsbestätigung senden +SendingEmailOnNewSubscription=E-Mail bei neuem Beitrag senden +SendingReminderForExpiredSubscription=Per E-Mail an ablaufende Beitragszeiträume erinnern SendingEmailOnCancelation=E-Mail bei Stornierung senden # Topic of email templates -YourMembershipRequestWasReceived=Ihr Mitgliedsantrag wurde erhalten. -YourMembershipWasValidated=Ihre Mitgleidschaft wurde validiert -YourSubscriptionWasRecorded=Ihr Abonnement wurde registriert -SubscriptionReminderEmail=Abonnementserinnerung +YourMembershipRequestWasReceived=Ihr Mitgliedsantrag ist angekommen. +YourMembershipWasValidated=Ihre Mitgliedschaft wurde bestätigt +YourSubscriptionWasRecorded=Ihr neuer Beitrag wurde registriert +SubscriptionReminderEmail=Beitragserinnerung YourMembershipWasCanceled=Ihre Mitgliedschaft wurde beendet CardContent=Inhalt der Mitgliedskarte # Text of email templates ThisIsContentOfYourMembershipRequestWasReceived=Wir haben Ihren Mitgliedsantrag erhalten.

ThisIsContentOfYourMembershipWasValidated=Ihr Mitgliedsantrag wurde mit diesem Resultat geprüft:

-ThisIsContentOfYourSubscriptionWasRecorded=Ihr neues Abonnement wurde erfasst.

-ThisIsContentOfSubscriptionReminderEmail=Wir möchten Sie darauf hinweisen, dass ihr Abonnement demnächst abläuft oder schon abgelaufen ist. (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Wir hoffen. Sie erneuern das Abonnement.

+ThisIsContentOfYourSubscriptionWasRecorded=Ihr neuer Beitrag wurde erfasst.

+ThisIsContentOfSubscriptionReminderEmail=Wir möchten darauf hinweisen, dass der Beitragszeitraum demnächst abläuft oder schon abgelaufen ist. (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Wir hoffen, Sie erneuern die Zahlung.

ThisIsContentOfYourCard=Dies ist eine Zusammenfassung der Informationen, die wir über Sie haben. Bitte kontaktieren Sie uns, wenn etwas nicht stimmt.

-DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Betreff der Benachrichtigungs-Email bei automatischer Registrierung eines Gastes -DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Inhalt der Benachrichtigungs-Email bei automatischer Registrierung eines Gastes -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Benutzte E-mail Vorlage zum Versand an ein Mitglied für die automatische Abo-Aktivierung -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Benutzte E-Mail Vorlage zum Versand an ein Mitglied für die Mitgliederprüfung -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=E-Mail Vorlage zum Versand an ein Mitglied bei Neuregistrierung -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=E-Mail Vorlage zum Versand von Erinnerungen wenn das Abonnement ungültig wird -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=E-Mail Vorlage zum Versand an ein Mitglied bei Erlöschen der Mitgliedschaft -DescADHERENT_MAIL_FROM=Absender E-Mail-Adresse für automatische Mails +DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Betreff der Benachrichtigungsmail bei automatischer Registrierung eines Gastes +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Inhalt der Benachrichtigungsmail bei automatischer Registrierung eines Gastes +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Vorlage für eine E-Mail an ein Mitglied zur Beitragseinstufung +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Vorlage für eine E-Mail an ein Mitglied wegen der Antragsüberprüfung +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_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 Mitglieds-Adresskarte +DescADHERENT_ETIQUETTE_TEXT=Text für den Druck auf der Mitglied-Adresskarte DescADHERENT_CARD_TYPE=Format der Kartenseite DescADHERENT_CARD_HEADER_TEXT=Text für den Druck oben auf der Mitgliedskarte DescADHERENT_CARD_TEXT=Text für den Druck auf der Mitgliedskarte (linksbündig) @@ -148,57 +148,57 @@ DescADHERENT_CARD_FOOTER_TEXT=Text für den Druck unten auf der Mitgliedskarte ShowTypeCard=Zeige Typ '%s' HTPasswordExport=Datei erstellen für htpassword NoThirdPartyAssociatedToMember=Mit diesem Mitglied ist kein Partner verknüpft -MembersAndSubscriptions= Mitglieder und Abonnements +MembersAndSubscriptions= Mitglieder und Beiträge MoreActions=Ergänzende Erfassungsereignisse -MoreActionsOnSubscription=Ergänzende Maßnahmen standardmäßig vorgeschlagen bei der Aufnahme eines Abonnements +MoreActionsOnSubscription=Ergänzungen (Standardvorschläge) bei der Erfassung eines Beitrags MoreActionBankDirect=Erfassung einer direkten Eingabe auf das Bankkonto oder an Kasse -MoreActionBankViaInvoice=Erstelle eine Rechnung und eine Zahlung auf das Bankkonto oder an Kasse -MoreActionInvoiceOnly=Automatisch eine Rechnung (ohne Zahlung) erstellen +MoreActionBankViaInvoice=Erstellung einer Rechnung und einer Zahlung auf das Bankkonto oder an Kasse +MoreActionInvoiceOnly=Automatische Rechnungserstellung (ohne Zahlung) LinkToGeneratedPages=Visitenkarten erstellen -LinkToGeneratedPagesDesc=Auf dieser Seite können Sie PDF-Dateien mit Visitenkarten Ihrer Mitglieder (auf Wunsch länderspezifisch) erstellen. +LinkToGeneratedPagesDesc=Auf dieser Seite können sie PDF-Dateien mit Visitenkarten ihrer Mitglieder (auf Wunsch länderspezifisch) erstellen. DocForAllMembersCards=Visitenkarten für alle Mitglieder erstellen (Gewähltes Ausgabeformat: %s) DocForOneMemberCards=Visitenkarten für ein bestimmtes Mitglied erstellen (Gewähltes Ausgabeformat: %s) DocForLabels=Etiketten erstellen (Gewähltes Ausgabeformat: %s) SubscriptionPayment=Beitragszahlung -LastSubscriptionDate=Datum der letzten Abo-Zahlung -LastSubscriptionAmount=Betrag des letzten Abonnements -MembersStatisticsByCountries=Mitgliederstatistik nach Ländern -MembersStatisticsByState=Mitgliederstatistik nach Bundesländern +LastSubscriptionDate=Datum der letzten Beitragszahlung +LastSubscriptionAmount=Betrag des letzten Beitrags +MembersStatisticsByCountries=Mitgliederstatistik nach Staaten +MembersStatisticsByState=Mitgliederstatistik nach Bundesländern/Provinzen/Kantonen MembersStatisticsByTown=Mitgliederstatistik nach Städten -MembersStatisticsByRegion=Mitgliederstatistik nach Region +MembersStatisticsByRegion=Mitgliederstatistik nach Regionen NbOfMembers=Anzahl der Mitglieder -NoValidatedMemberYet=Kein freizugebenden Mitglieder gefunden -MembersByCountryDesc=Diese Form zeigt Ihnen die Mitgliederstatistik nach Ländern. Die Grafik basiert auf Googles Online-Grafik-Service ab und funktioniert nur wenn eine Internetverbindung besteht. -MembersByStateDesc=Diese Form zeigt Ihnen die Statistik der Mitglieder nach Bundesland/Provinz/Kanton. -MembersByTownDesc=Diese Form zeigt Ihnen die Statistik der Mitglieder nach Städten. -MembersStatisticsDesc=Wählen Sie die gewünschte Statistik aus ... +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. +MembersStatisticsDesc=Gewünschte Statistik auswählen ... MenuMembersStats=Statistik -LastMemberDate=Letztes Mitgliedsdatum -LatestSubscriptionDate=Letztes Abo-Datum +LastMemberDate=Letztes Mitgliedschaftsdatum +LatestSubscriptionDate=Letztes Beitragsdatum MemberNature=Art des Mitglieds -Public=Informationen sind öffentlich (Nein = Privat) -NewMemberbyWeb=Neues Mitgliede hinzugefügt, warte auf Genehmigung. -NewMemberForm=Neues Mitgliederformular -SubscriptionsStatistics=Statistik über Abonnements +Public=Informationen sind öffentlich (nein = privat) +NewMemberbyWeb=Neues Mitglied hinzugefügt, wartet auf Genehmigung. +NewMemberForm=Formular neues Mitglied +SubscriptionsStatistics=Statistik der Beiträge NbOfSubscriptions=Anzahl der Beiträge -AmountOfSubscriptions=Beiträge der Abonnements -TurnoverOrBudget=Umsatz (für eine Firma) oder Budget (für eine Stiftung) -DefaultAmount=Standardbetrag für ein Mitgliedsbeitrag -CanEditAmount=Besucher können die Höhe auswählen oder ändern für den Beitrag -MEMBER_NEWFORM_PAYONLINE=Gehen Sie zu integrierten Bezahlseite +AmountOfSubscriptions=Betrag der Beiträge +TurnoverOrBudget=Umsatz (Firma) oder Budget (Verein/Stiftung) +DefaultAmount=Standardbetrag für den Beitrag +CanEditAmount=Besucher können die Beitragshöhe auswählen oder ändern +MEMBER_NEWFORM_PAYONLINE=Zur integrierten Bezahlseite gehen ByProperties=Natürlich MembersStatisticsByProperties=Natürliche Mitgliederstatistiken -MembersByNature=Dieser Bildschirm zeigt ihre Statistiken über ihre Mitgliedschaft. -MembersByRegion=Dieser Bildschirm zeigt Ihnen Statistiken über Mitglieder nach Regionen. -VATToUseForSubscriptions=Mehrwertsteuersatz für Mitgliedschaften -NoVatOnSubscription=Keine Mehrwertsteuer für Abonnements +MembersByNature=Anzeige der Mitgliederstatistiken +MembersByRegion=Anzeige der Mitgliederstatistiken nach Regionen. +VATToUseForSubscriptions=Mehrwertsteuersatz für Beitrag +NoVatOnSubscription=Beitrag ohne Mehrwertsteuer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt/Leistung verwendet für den Beitrag in der Rechnungszeile: %s NameOrCompany=Name oder Firma -SubscriptionRecorded=Abonnement erfasst -NoEmailSentToMember=Kein E-Mail an Mitglied gesendet +SubscriptionRecorded=Beitrag erfasst +NoEmailSentToMember=Keine E-Mail an Mitglied gesendet EmailSentToMember=E-Mail an Mitglied %s versendet -SendReminderForExpiredSubscriptionTitle=E-Mailerinnerung für abgelaufene Abonnemente senden -SendReminderForExpiredSubscription=Erinnerungen per email an Mitglieder senden, wenn deren Abonnement am ablaufen ist. (Parameter ist die Anzahl Tage vor dem Abonnementsende, um die Erinnerung zu senden. Es können mehrere Tage sein, mit Semikolon getrennt aufgelistet, z.B. '10;5;0;-5') +SendReminderForExpiredSubscriptionTitle=E-Mail-Erinnerung für abgelaufene Beiträge senden +SendReminderForExpiredSubscription=Erinnerungen per E-Mail an Mitglieder senden, wenn deren Beitragszeitraum am ablaufen ist. (Parameter ist die Anzahl Tage vor dem Beitragsende, um die Erinnerung zu senden. Es können mehrere Tage sein, mit Semikolon getrennt aufgelistet, z.B. '10;5;0;-5') MembershipPaid=Die Mitgliedschaft wurde für den aktuellen Zeitraum bezahlt (bis %s) -YouMayFindYourInvoiceInThisEmail=Sie finden Ihre Rechnung beigefügt an diese E-Mail +YouMayFindYourInvoiceInThisEmail=Sie finden Ihre Rechnung anhängend an dieser E-Mail. XMembersClosed=%s Mitglied(er) geschlossen diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index 332164aea50..9b189cac632 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Gefahrenzone BuildPackage=Packet erstellen BuildPackageDesc=Sie können ein Zip-Paket Ihrer Anwendung erstellen, um es auf Dolibarr-Installationen verteilen können. Sie können es auch vertreiben oder auf einem Marktplatz wie DoliStore.com verkaufen. BuildDocumentation=Dokumentation erstellen -ModuleIsNotActive=Dieses Modul ist noch nicht aktiviert. Gehe zu %s zum aktivieren oder klicke hier: +ModuleIsNotActive=Dieses Modul ist noch nicht aktiviert. Gehe zu %s zum aktivieren oder klicke hier ModuleIsLive=Dieses Modul wurde aktiviert. Jede Änderung kann aktuelle Live-Funktionen beeinträchtigen. DescriptionLong=Long description EditorName=Name of editor @@ -83,8 +83,8 @@ ListOfDictionariesEntries=Liste der Wörterbucheinträge ListOfPermissionsDefined=Liste der definierten Berechtigungen SeeExamples=Beispiele hier EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 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 +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 angezeigt
1 = Anzeige
2 = Anzeige nur leer wenn nicht

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 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) @@ -93,9 +93,9 @@ LanguageDefDesc=Geben Sie in diese Dateien alle Schlüssel und entsprechende Üb MenusDefDesc=Festlegen der vom Modul bereitgestellten Menüs DictionariesDefDesc=Festlegen der vom Modul bereitgestellten Wörterbücher PermissionsDefDesc=Festlegen der neuen Berechtigungen, die vom Modul bereitgestellt werden -MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

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

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

Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. +MenusDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Menüs werden im Array $ this-> menus in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

Hinweis: Nach der Definition (und erneuten Aktivierung des Moduls) werden Menüs auch im Menüeditor angezeigt, der Administratorbenutzern unter %s zur Verfügung steht. +DictionariesDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Wörterbücher werden im Array $ this-> dictionaries in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

Hinweis: Nach der Definition (und erneuten Aktivierung des Moduls) sind Wörterbücher auch für Administratorbenutzer unter %s im Setup-Bereich sichtbar. +PermissionsDefDescTooltip=Die von Ihrem Modul / Ihrer Anwendung bereitgestellten Berechtigungen werden im Array $ this-> rights in der Moduldeskriptordatei definiert. Sie können diese Datei manuell bearbeiten oder den eingebetteten Editor verwenden.

Hinweis: Nach der Definition (und erneuten Aktivierung des Moduls) werden Berechtigungen im Standardberechtigungssetup %s angezeigt. HooksDefDesc=Definieren Sie in der Eigenschaft module_parts ['hooks'] im Moduldeskriptor den Kontext der Hooks, die Sie verwalten möchten (die Liste der Kontexte kann durch eine Suche nach ' initHooks ( 'im Hauptcode) gefunden werden.
Bearbeiten Sie die Hook-Datei, um Ihrer hooked-Funktionen Code hinzuzufügen (hookable functions können durch eine Suche nach' executeHooks 'im Core-Code gefunden werden). TriggerDefDesc=Define in the trigger file the code you want to execute for each business event executed. SeeIDsInUse=Zeige die ID's die in Ihrer Installation verwendet werden @@ -112,30 +112,31 @@ InitStructureFromExistingTable=Build the structure array string of an existing t UseAboutPage=About-Seite deaktivieren UseDocFolder=Deaktiviere den Dokumentationsordner UseSpecificReadme=Ein spezifisches Readme verwenden -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 +ContentOfREADMECustomized=Hinweis: Der Inhalt der Datei README.md wurde durch den spezifischen Wert ersetzt, der im Setup von ModuleBuilder definiert wurde. +RealPathOfModule=Realer Pfad des Moduls ContentCantBeEmpty=Inhalt der Datei darf nicht leer sein -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. -JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=You can generate here some command line scripts you want to provide with your module. +WidgetDesc=Hier können Sie die Widgets generieren und bearbeiten, die in Ihr Modul eingebettet werden. +CSSDesc=Sie können hier eine Datei mit personalisiertem CSS generieren und bearbeiten, die in Ihr Modul eingebettet ist. +JSDesc=Sie können hier eine Datei mit personalisiertem Javascript erstellen und bearbeiten, die in Ihr Modul eingebettet ist. +CLIDesc=Sie können hier einige Befehlszeilenskripte generieren, die Sie mit Ihrem Modul bereitstellen möchten. CLIFile=CLI-Datei NoCLIFile=Keine CLI-Dateien -UseSpecificEditorName = Use a specific editor name -UseSpecificEditorURL = Use a specific editor URL -UseSpecificFamily = Use a specific family -UseSpecificAuthor = Use a specific author -UseSpecificVersion = Use a specific initial version +UseSpecificEditorName = Verwenden Sie einen bestimmten Editornamen +UseSpecificEditorURL = Verwenden Sie eine bestimmte Editor-URL +UseSpecificFamily = Verwenden Sie eine bestimmte Familie +UseSpecificAuthor = Verwenden Sie einen bestimmten Autor +UseSpecificVersion = Verwenden Sie eine bestimmte Anfangsversion ModuleMustBeEnabled=Das Modul / die Anwendung muss zuerst aktiviert werden IncludeRefGeneration=Die Objektreferen muss automatisch generiert werden -IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object -IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. +IncludeRefGenerationHelp=Aktivieren Sie diese Option, wenn Sie Code einschließen möchten, um die Generierung der Referenz automatisch zu verwalten +IncludeDocGeneration=Ich möchte einige Dokumente aus dem Objekt generieren +IncludeDocGenerationHelp=Wenn Sie dies aktivieren, wird Code generiert, um dem Datensatz ein Feld "Dokument generieren" hinzuzufügen. ShowOnCombobox=Wert in der Combobox anzeigen KeyForTooltip=Schlüssel für Tooltip CSSClass=CSS-Klasse NotEditable=Nicht bearbeitbar -ForeignKey=Foreign key +ForeignKey=Unbekannter Schlüssel TypeOfFieldsHelp=Feldtypen:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' heißt, wir ergänzen eine + Schaltfläche nach der Kombobox, um den Eintrag zu erstellen, 'filter' kann sein 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' zum Beispiel) AsciiToHtmlConverter=Ascii zu HTML Konverter AsciiToPdfConverter=Ascii zu PDF Konverter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/de_DE/mrp.lang b/htdocs/langs/de_DE/mrp.lang index 4d1d3a4e19d..dbd25533db7 100644 --- a/htdocs/langs/de_DE/mrp.lang +++ b/htdocs/langs/de_DE/mrp.lang @@ -5,7 +5,7 @@ MRPArea=MRP Bereich MrpSetupPage=Einrichtung des Moduls MRP MenuBOM=Stücklisten LatestBOMModified=zuletzt geänderte %s Stücklisten -LatestMOModified=zuletzt geänderte %s Fertigungsaufträge +LatestMOModified=Zuletzt geänderte Fertigungsaufträge (maximal %s) Bom=Stücklisten BillOfMaterials=Stückliste BOMsSetup=Stücklisten Modul einrichten @@ -56,11 +56,12 @@ ToConsume=Zu verbrauchen ToProduce=Zu produzieren QtyAlreadyConsumed=Menge bereits verbraucht QtyAlreadyProduced=Menge bereits produziert +QtyRequiredIfNoLoss=erforderliche Menge, sofern kein Verlust vorliegt (Produktionseffizienz entspricht 100 %%) ConsumeOrProduce=Verbrauchen oder produzieren ConsumeAndProduceAll=Alles verbrauchen und produzieren Manufactured=Hergestellt TheProductXIsAlreadyTheProductToProduce=Das hinzuzufügende Produkt ist bereits das zu produzierende Produkt. -ForAQuantityOf1=Für die Menge 1 zu produzieren +ForAQuantityOf=Für eine zu produzierende Menge von %s ConfirmValidateMo=Möchten Sie diesen Fertigungsauftrag validieren? ConfirmProductionDesc=Durch Klicken auf '%s' validieren Sie den Materialverbrauch und / oder die Produktion für die eingestellten Mengen. Dadurch werden auch Bestände aktualisiert und Bestandsbewegungen aufgezeichnet. ProductionForRef=Produktion von %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=herzustellende Produktmenge von offenem Fertigungsauftra AddNewConsumeLines=Eine neue Zeile Verbrauch hinzufügen ProductsToConsume=Produkte zu verbrauchen ProductsToProduce=Produkte zu produzieren +UnitCost=Kosten pro Einheit +TotalCost=Gesamtsumme Kosten +BOMTotalCost=Die Herstellungskosten dieser Stückliste, basierend auf den Kosten jeder Menge und jeden verbrauchten Produktes (nutzt den Selbstkostenpreis wenn er definiert ist, ansonsten den Durchschnittspreis sofern definiert oder den besten Einkaufspreis) diff --git a/htdocs/langs/de_DE/multicurrency.lang b/htdocs/langs/de_DE/multicurrency.lang index abad612f0a3..cd4eece06b1 100644 --- a/htdocs/langs/de_DE/multicurrency.lang +++ b/htdocs/langs/de_DE/multicurrency.lang @@ -18,3 +18,5 @@ MulticurrencyReceived=erhaltener Betrag (Originalwährung) MulticurrencyRemainderToTake=verbleibender Betrag (Originalwährung) MulticurrencyPaymentAmount=Zahlungsbetrag (Originalwährung) AmountToOthercurrency=Betrag (in der Währung des Empfängers) +CurrencyRateSyncSucceed=Synchronisation des Währungskurses erfolgreich abgeschlossen +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Benutze die Währung des Dokumentes für Online-Zahlungen diff --git a/htdocs/langs/de_DE/orders.lang b/htdocs/langs/de_DE/orders.lang index dfff5494aa3..9357e8999a4 100644 --- a/htdocs/langs/de_DE/orders.lang +++ b/htdocs/langs/de_DE/orders.lang @@ -74,14 +74,14 @@ AddOrder=Bestellung erstellen AddPurchaseOrder=Auftragsbestätigung erstellen AddToDraftOrders=Zu Bestellentwurf hinzufügen ShowOrder=Bestellung anzeigen -OrdersOpened=Bestellungen zu bearbeiten +OrdersOpened=Zu bearbeitende Bestellungen NoDraftOrders=Keine Auftrags-Entwürfe NoOrder=Kein Auftrag NoSupplierOrder=Keine Lieferantenbestellung LastOrders=Letzte %s Kundenaufträge LastCustomerOrders=Letzte %s Kundenaufträge LastSupplierOrders=%s neueste Lieferantenbestellungen -LastModifiedOrders=%s zuletzt bearbeitete Bestellungen +LastModifiedOrders=Zuletzt bearbeitete Bestellungen (maximal %s) AllOrders=Alle Bestellungen NbOfOrders=Anzahl der Bestellungen OrdersStatistics=Bestellstatistik @@ -141,11 +141,12 @@ OrderByEMail=E-Mail (Feld mit automatischer E-Mail-Syntaxprüfung) OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Ein vollständiges Bestellmodell +PDFEinsteinDescription=Ein vollständiges Bestellmodell (alte Implementierung der Eratosthene-Vorlage) PDFEratostheneDescription=Ein komplettes Bestellmodell PDFEdisonDescription=Eine einfache Bestellvorlage PDFProformaDescription=Eine vollständige Proforma-Rechnungsvorlage CreateInvoiceForThisCustomer=Bestellung verrechnen +CreateInvoiceForThisSupplier=Bestellung verrechnen NoOrdersToInvoice=Keine rechnungsfähigen Bestellungen CloseProcessedOrdersAutomatically=Markiere alle ausgewählten Bestellungen als "verarbeitet". OrderCreation=Bestelldatum diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index eeead24c7dd..8d226cac1cc 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -30,11 +30,11 @@ PreviousYearOfInvoice=Vorangehendes Jahr des Rechnungsdatums NextYearOfInvoice=Folgendes Jahr des Rechnungsdatums DateNextInvoiceBeforeGen=Datum der nächsten Rechnung (Vor Generierung) DateNextInvoiceAfterGen=Datum der nächsten Rechnung (Nach Generierung) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. +GraphInBarsAreLimitedToNMeasures=Grafiken sind im 'Balken' Modus auf %s-Einheiten beschränkt. Stattdessen wurde automatisch der Modus 'Linien' ausgewählt. OnlyOneFieldForXAxisIsPossible=Derzeit ist nur 1 Feld als X-Achse möglich. Es wurde nur das erste selektierte Feld ausgewählt. AtLeastOneMeasureIsRequired=Es ist mindestens 1 Feld für Maßnahmen erforderlich AtLeastOneXAxisIsRequired=Es ist mindestens 1 Feld für die X-Achse erforderlich -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Neueste Blog-Beiträge Notify_ORDER_VALIDATE=Kundenbestellung freigegeben Notify_ORDER_SENTBYMAIL=Kundenbestellung per E-Mail versendet Notify_ORDER_SUPPLIER_SENTBYMAIL=Lieferantenbestellung per E-Mail zugestellt @@ -85,8 +85,8 @@ MaxSize=Maximalgröße AttachANewFile=Neue Datei/Dokument anhängen LinkedObject=Verknüpftes Objekt NbOfActiveNotifications=Anzahl der Benachrichtigungen (Anzahl der E-Mail Empfänger) -PredefinedMailTest=__(Hello)__\nDas ist ein Test-Mail gesendet an __EMAIL__.\nDie beiden Zeilen sind durch einem Zeilenumbruch getrennt.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=Dies ist ein Test Mail (das Wort Test muss in Fettschrift erscheinen).
Die beiden Zeilen sollten durch einen Zeilenumbruch getrennt sein.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hallo)__\n\nDie Rechnung __REF__ finden Sie im Anhang\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Mit freundlichen Grüßen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hallo)__\n\nWir möchten Sie daran erinnern, dass die Rechnung __REF__ offenbar nicht bezahlt wurde. Eine Kopie der Rechnung ist als Erinnerung beigefügt.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Mit freundlichen Grüßen)__\n\n__USER_SIGNATURE__ @@ -274,7 +274,7 @@ WEBSITE_PAGEURL=URL der Seite WEBSITE_TITLE=TItel WEBSITE_DESCRIPTION=Beschreibung WEBSITE_IMAGE=Bild -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Relativer Pfad des Bildmediums. Sie können dies leer lassen, da dies selten verwendet wird (es kann von dynamischen Inhalten verwendet werden, um ein Miniaturbild in einer Liste von Blog-Posts anzuzeigen). Verwenden Sie __WEBSITE_KEY__ im Pfad, wenn der Pfad vom Namen der Website abhängt (zum Beispiel: image / __ WEBSITE_KEY __ / stories / myimage.png). WEBSITE_KEYWORDS=Schlüsselwörter LinesToImport=Positionen zum importieren diff --git a/htdocs/langs/de_DE/paypal.lang b/htdocs/langs/de_DE/paypal.lang index f68c3057385..cc1282685a2 100644 --- a/htdocs/langs/de_DE/paypal.lang +++ b/htdocs/langs/de_DE/paypal.lang @@ -13,7 +13,7 @@ PaypalModeIntegral=Integriert PaypalModeOnlyPaypal=Nur PayPal ONLINE_PAYMENT_CSS_URL=Optionale URL des CSS-Stylesheet auf Zahlungsseite ThisIsTransactionId=Die Transaktions ID lautet: %s -PAYPAL_ADD_PAYMENT_URL=Webadresse für Paypal Zahlungen hinzufügen für den Dokumentenversand per Email +PAYPAL_ADD_PAYMENT_URL=URL für Paypal-Zahlungen beim Dokumentenversand per E-Mail hinzufügen. NewOnlinePaymentReceived=Neue Onlinezahlung erhalten NewOnlinePaymentFailed=Neue Onlinezahlung versucht, aber fehlgeschlagen ONLINE_PAYMENT_SENDEMAIL=Status-E-Mail nach einer Zahlung (erfolgreich oder nicht) diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index 8dc1242398a..6ad37d71a76 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -17,13 +17,13 @@ Create=Speichern Reference=Nummer NewProduct=Neues Produkt NewService=Neue Leistung -ProductVatMassChange=systemweite MwSt-Aktualisierung +ProductVatMassChange=systemweite MwSt-Änderung ProductVatMassChangeDesc=Dieses Tool aktualisiert den für ALLE Produkte und Dienstleistungen definierten Mehrwertsteuersatz! MassBarcodeInit=Initialisierung Barcodes MassBarcodeInitDesc=Hier können Objekte mit einem Barcode initialisiert werden, die noch keinen haben. Stellen Sie vor Benutzung sicher, dass die Einstellungen des Barcode-Moduls vollständig sind! ProductAccountancyBuyCode=Rechnungscode (Einkauf) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Buchungscode (Einkäufe innerhalb der Gemeinschaft) +ProductAccountancyBuyExportCode=Buchungscode (Einkauf Import) ProductAccountancySellCode=Buchhaltungscode (Verkauf) ProductAccountancySellIntraCode=Buchungscode (Verkauf innerhalb der Gemeinschaft) ProductAccountancySellExportCode=Kontierungscode (Verkauf Export) @@ -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=Letzte %s bearbeitete Produkte/Leistungen +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Letzte %s erfasste Produkte/Leistungen LastRecordedServices=%s zuletzt erfasste Leistungen CardProduct0=Produkt @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Anmerkung (nicht sichtbar auf Rechnungen, Angeboten,...) ServiceLimitedDuration=Ist die Erbringung einer Dienstleistung zeitlich beschränkt: MultiPricesAbility=Mehrere Preissegmente pro Produkt / Dienstleistung (jeder Kunde befindet sich in einem Preissegment) MultiPricesNumPrices=Anzahl Preise +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Virtuelle Produkte (Kits) aktivieren AssociatedProducts=Unterprodukte AssociatedProductsNumber=Anzahl der Unterprodukte @@ -167,7 +168,7 @@ SuppliersPrices=Lieferanten Preise SuppliersPricesOfProductsOrServices=Herstellerpreise (von Produkten oder Dienstleistungen) CustomCode=Zolltarifnummer CountryOrigin=Urspungsland -Nature=Nature of product (material/finished) +Nature=Produkttyp (Material / Fertig) ShortLabel=Kurzbezeichnung Unit=Einheit p=u. diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index bb6f57b46e3..2a1bbca317b 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -8,7 +8,7 @@ ProjectStatus=Projekt Status SharedProject=Jeder PrivateProject=Projektkontakte ProjectsImContactFor=Projekte bei denen ich ein direkter Kontakt bin -AllAllowedProjects=Alle Projekte die ich sehen kann (Eigene + Öffentliche) +AllAllowedProjects=Alle Projekte die ich sehen kann (eigene + öffentliche) AllProjects=alle Projekte MyProjectsDesc=Ansicht beschränkt auf Projekte mit mir als Ansprechpartner ProjectsPublicDesc=Diese Ansicht zeigt alle Projekte, für die Sie zum Lesen berechtigt sind. @@ -115,7 +115,7 @@ ChildOfTask=Kindelement der Aufgabe TaskHasChild=Aufgabe hat eine Unteraufgabe NotOwnerOfProject=Nicht Eigner des privaten Projekts AffectedTo=Zugewiesen an -CantRemoveProject=Löschen des Projekts auf Grund verbundener Elemente (Rechnungen, Bestellungen oder andere) nicht möglich. Näheres finden Sie unter dem Reiter Bezugnahmen. +CantRemoveProject=Dieses Projekt kann nicht entfernt werden, da es von einigen anderen Objekten (Rechnung, Bestellungen oder andere) verwendet wird. Siehe Registerkarte '%s'. ValidateProject=Projekt freigeben ConfirmValidateProject=Möchten Sie dieses Projekt wirklich freigeben? CloseAProject=Projekt schließen @@ -186,7 +186,7 @@ PlannedWorkload=Geplante Auslastung PlannedWorkloadShort=Arbeitsaufwand ProjectReferers=Verknüpfte Einträge ProjectMustBeValidatedFirst=Projekt muss erst bestätigt werden -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +FirstAddRessourceToAllocateTime=Weisen Sie einen Benutzer als Kontakt des Projekts zu, um Zeiten zu erfassen InputPerDay=Eingang pro Tag InputPerWeek=Eingang pro Woche InputPerMonth=Eingang pro Monat @@ -234,11 +234,11 @@ OppStatusLOST=Verloren Budget=Budget AllowToLinkFromOtherCompany=Projektverknüpfungen von anderen Unternehmen zulassen

Unterstützte Werte:
- Leer lassen: Jedes Projekt des Unternehmens kann verknüpft werden (Standard)
- "all": Alle Projekte verknüpfen, auch Projekte anderer Unternehmen
- Eine kommagetrennte Liste von Geschäftspartner-IDs: alle Projekte dieser Geschäftspartner (Beispiel: 123,4795,53)
LatestProjects=%s neueste Projekte -LatestModifiedProjects=Neueste %s modifizierte Projekte +LatestModifiedProjects=Zuletzt bearbeitete Projekte (maximal %s) OtherFilteredTasks=Andere gefilterte Aufgaben NoAssignedTasks=Keine zugewiesenen Aufgaben gefunden (dem aktuellen Benutzer über das obere Auswahlfeld Projekt / Aufgaben zuweisen, um die Zeit einzugeben) ThirdPartyRequiredToGenerateInvoice=Für das Projekt muss ein Drittanbieter definiert werden, um es in Rechnung stellen zu können. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +ChooseANotYetAssignedTask=Wählen Sie eine Aufgabe, die Ihnen noch nicht zugewiesen ist # Comments trans AllowCommentOnTask=Alle Benutzerkommentare zur Aufgabe AllowCommentOnProject=Benutzer dürfen Projekte kommentieren @@ -255,8 +255,8 @@ ServiceToUseOnLines=Service für Leitungen InvoiceGeneratedFromTimeSpent=Die Rechnung %s wurde aus der für das Projekt aufgewendeten Zeit generiert ProjectBillTimeDescription=Prüfe, ob Arbeitszeittabellen für Projektaufgaben geführt werden UND ob Rechnungen aus dieser Arbeitszeittabelle erstellt werden sollen, um mit dem Kunden des Projekts abzurechnen (Prüfe nicht, ob Rechnungen erstellt werden sollen, die nicht auf Arbeitszeittabellen basieren). Hinweis: Um eine Rechnung zu erstellen, gehe auf die Registerkarte 'Zeitaufwand' des Projekts und wähle einzuschließende Zeilen aus. ProjectFollowOpportunity=Verkaufsmöglichkeiten nachverfolgen -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage +ProjectFollowTasks=Befolgen Sie die Aufgaben oder die aufgewendete Zeit +Usage=Verwendungszweck UsageOpportunity=Anwendung: Verkaufsmöglichkeit UsageTasks=Verwendung: Aufgaben UsageBillTimeShort=Verwendung: Zeit abrechnen @@ -264,4 +264,5 @@ InvoiceToUse=Zu verwendender Rechnungsentwurf NewInvoice=Neue Rechnung OneLinePerTask=Eine Zeile pro Aufgabe OneLinePerPeriod=Eine Zeile pro Zeitraum -RefTaskParent=Ref. Parent Task +RefTaskParent=Übergeordnete Aufgabe +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/de_DE/receiptprinter.lang b/htdocs/langs/de_DE/receiptprinter.lang index 93f5e4bef5e..abd246d3244 100644 --- a/htdocs/langs/de_DE/receiptprinter.lang +++ b/htdocs/langs/de_DE/receiptprinter.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Einrichtung des Moduls Quittungsdrucker +ReceiptPrinterSetup=Einstellungen für das Quittungsdrucker-Modul PrinterAdded=Drucker %s zugefügt PrinterUpdated=Drucker %s geändert PrinterDeleted=Drucker %s gelöscht @@ -15,12 +15,12 @@ CONNECTOR_DUMMY=Dummy Drucker CONNECTOR_NETWORK_PRINT=Netzwerk-Drucker CONNECTOR_FILE_PRINT=lokaler Drucker CONNECTOR_WINDOWS_PRINT=lokaler Windows Drucker -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=CUPS-Drucker CONNECTOR_DUMMY_HELP=Simulierter Drucker zum Testen, hat keine Funktion CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=Name des CUPS-Druckers, z.B. HPRT_TP805L PROFILE_DEFAULT=Standardprofil PROFILE_SIMPLE=einfaches Profil PROFILE_EPOSTEP=Epos Tep Profil @@ -63,33 +63,33 @@ DOL_VALUE_MONTH_LETTERS=Rechnungsmonat (Abkürzung) DOL_VALUE_MONTH=Rechnungsmonat DOL_VALUE_DAY=Rechnungstag DOL_VALUE_DAY_LETTERS=Rechnungstag (Abkürzung) -DOL_LINE_FEED_REVERSE=Line feed reverse -DOL_VALUE_OBJECT_ID=Invoice ID +DOL_LINE_FEED_REVERSE=Zeilenvorschub umgekehrt +DOL_VALUE_OBJECT_ID=Rechnungs-ID DOL_VALUE_OBJECT_REF=Rechnungs Nr. -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -DOL_VALUE_MYSOC_ADDRESS=Your company address -DOL_VALUE_MYSOC_ZIP=Your zip code -DOL_VALUE_MYSOC_TOWN=Your town -DOL_VALUE_MYSOC_COUNTRY=Your country -DOL_VALUE_MYSOC_IDPROF1=Your IDPROF1 -DOL_VALUE_MYSOC_IDPROF2=Your IDPROF2 -DOL_VALUE_MYSOC_IDPROF3=Your IDPROF3 -DOL_VALUE_MYSOC_IDPROF4=Your IDPROF4 -DOL_VALUE_MYSOC_IDPROF5=Your IDPROF5 -DOL_VALUE_MYSOC_IDPROF6=Your IDPROF6 -DOL_VALUE_MYSOC_TVA_INTRA=innergemeinschaftliche Umsatzsteuer-ID +DOL_PRINT_OBJECT_LINES=Rechnungsposten +DOL_VALUE_CUSTOMER_FIRSTNAME=Vorname des Kunden +DOL_VALUE_CUSTOMER_LASTNAME=Nachname des Kunden +DOL_VALUE_CUSTOMER_MAIL=Kunden-E-Mail +DOL_VALUE_CUSTOMER_PHONE=Kundentelefon +DOL_VALUE_CUSTOMER_MOBILE=Kunden-Mobiltelefon +DOL_VALUE_CUSTOMER_SKYPE=Kunden-Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Kunden-Steuernummer +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Kunden-Kontostand +DOL_VALUE_MYSOC_NAME=Ihr Firmenname +DOL_VALUE_MYSOC_ADDRESS=Ihre Firmenadresse +DOL_VALUE_MYSOC_ZIP=Ihre Postleitzahl +DOL_VALUE_MYSOC_TOWN=Ihre Stadt +DOL_VALUE_MYSOC_COUNTRY=Ihr Land +DOL_VALUE_MYSOC_IDPROF1=Ihr/Ihre IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=Ihr/Ihre IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=Ihr/Ihre IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=Ihr/Ihre IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=Ihr/Ihre IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=Ihr/Ihre IDPROF6 +DOL_VALUE_MYSOC_TVA_INTRA=Innergemeinschaftliche Umsatzsteuer-ID DOL_VALUE_MYSOC_CAPITAL=Kapital -DOL_VALUE_VENDOR_LASTNAME=Vendor last name -DOL_VALUE_VENDOR_FIRSTNAME=Vendor first name -DOL_VALUE_VENDOR_MAIL=Vendor mail -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_VENDOR_LASTNAME=Nachname Verkäufer*in +DOL_VALUE_VENDOR_FIRSTNAME=Vorname Verkäufer*in +DOL_VALUE_VENDOR_MAIL=E-Mail-Adresse Verkäufer*in +DOL_VALUE_CUSTOMER_POINTS=Kundenpunkte +DOL_VALUE_OBJECT_POINTS=Objektpunkte diff --git a/htdocs/langs/de_DE/receptions.lang b/htdocs/langs/de_DE/receptions.lang index b4339c5f414..56cdb05966c 100644 --- a/htdocs/langs/de_DE/receptions.lang +++ b/htdocs/langs/de_DE/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Bereits erhaltene Produktmenge aus ValidateOrderFirstBeforeReception=Sie müssen zunächst die order validate validieren, bevor Sie Empfänge erstellen können. ReceptionsNumberingModules=Nummerierungsmodul für Empfänge ReceptionsReceiptModel=Dokumentvorlagen für Empfänge +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index 12e49712956..930c2a0c452 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=DSWP 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=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Standardlager +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Produkt- und Unterproduktbestände sind unabhängig voneinander QtyDispatched=Versandmenge QtyDispatchedShort=Menge versandt @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Das Lager %s wird für Entnahme verwendet WarehouseForStockIncrease=Das Lager %s wird für Wareneingang verwendet ForThisWarehouse=Für dieses Lager ReplenishmentStatusDesc=Dies ist eine Liste aller Produkte mit einem niedrigeren Bestand als gewünscht (oder niedriger als der Warnwert, wenn das Kontrollkästchen "Nur Warnung" aktiviert ist). Mit dem Kontrollkästchen können Sie Bestellungen zum Ausgleichen des Bestands erstellen . +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Dies ist eine Liste aller offenen Bestellungen, einschließlich vordefinierter Produkte. Hier werden nur offene Bestellungen mit vordefinierten Produkten angezeigt, dh Bestellungen, die sich auf Lagerbestände auswirken können. Replenishments=Nachbestellung NbOfProductBeforePeriod=Menge des Produkts %s im Lager vor der gewählten Periode (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventar für ein bestimmtes Lager InventoryForASpecificProduct=Inventar für ein bestimmtes Produkt StockIsRequiredToChooseWhichLotToUse=Ein Lagerbestand ist erforderlich, um das zu verwendende Buch auszuwählen ForceTo=Erzwingen +AlwaysShowFullArbo=Anzeige des vollständigen Angebots (Popup des Lager-Links). Warnung: Dies kann die Leistung erheblich beeinträchtigen. diff --git a/htdocs/langs/de_DE/stripe.lang b/htdocs/langs/de_DE/stripe.lang index e8913c6833a..a93e1d988b2 100644 --- a/htdocs/langs/de_DE/stripe.lang +++ b/htdocs/langs/de_DE/stripe.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Karten Moduleeinstellungen +StripeSetup=Kreditkarten Moduleinstellungen StripeDesc=Bietet Kunden die Möglichkeit, eine Online Zahlungsseite mit Kredit/Debit-Kartenzahlungen via Stripe anzubieten. Damit können Kunden Sofort-Zahlungen oder auf Module bezogene Zahlungen in Dolibarr (Rechnung, Auftrag, ...) vornehmen StripeOrCBDoPayment=Zahlen mit Kreditkarte oder Stripe FollowingUrlAreAvailableToMakePayments=Für Kundenzahlungen stehen Ihnen die folgenden URLs zur Verfügung: @@ -32,7 +32,7 @@ VendorName=Name des Lieferanten CSSUrlForPaymentForm=CSS-Datei für das Zahlungsmodul NewStripePaymentReceived=Neue Stripezahlung erhalten NewStripePaymentFailed=Neue Stripezahlung versucht, aber fehlgeschlagen -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Karte konnte nicht aufgeladen werden STRIPE_TEST_SECRET_KEY=Geheimer Testschlüssel STRIPE_TEST_PUBLISHABLE_KEY=Öffentlicher Testschlüssel STRIPE_TEST_WEBHOOK_KEY=Webhook Testschlüssel @@ -69,4 +69,4 @@ ToOfferALinkForTestWebhook=Link zum Einrichten von Stripe WebHook zum Aufruf von ToOfferALinkForLiveWebhook=Link zum Einrichten von Stripe WebHook zum Aufruf von IPN (Livemodus) PaymentWillBeRecordedForNextPeriod=Die Zahlung wird für den folgenden Zeitraum erfasst. ClickHereToTryAgain=Hier klicken und nochmal versuchen... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Aufgrund strenger Kundenauthentifizierungs-Regeln muss die Erstellung einer Karte im Stripe-Backoffice erfolgen. Sie können hier klicken, um den Stripe-Kundendatensatz einzuschalten: %s diff --git a/htdocs/langs/de_DE/supplier_proposal.lang b/htdocs/langs/de_DE/supplier_proposal.lang index a3f570b69f4..2ce0e1789c4 100644 --- a/htdocs/langs/de_DE/supplier_proposal.lang +++ b/htdocs/langs/de_DE/supplier_proposal.lang @@ -7,7 +7,7 @@ CommRequests=Preisanfragen SearchRequest=Anfrage suchen DraftRequests=Anfrage erstellen SupplierProposalsDraft=Entwürfe von Lieferantenangeboten -LastModifiedRequests=Letzte %s geänderte Preisanfragen +LastModifiedRequests=Zuletzt geänderte Preisanfragen (maximal %s) RequestsOpened=offene Preisanfragen SupplierProposalArea=Bereich Lieferantenangebote SupplierProposalShort=Lieferanten Angebot diff --git a/htdocs/langs/de_DE/ticket.lang b/htdocs/langs/de_DE/ticket.lang index 89dc3ee832f..2854c4f8ac4 100644 --- a/htdocs/langs/de_DE/ticket.lang +++ b/htdocs/langs/de_DE/ticket.lang @@ -91,7 +91,7 @@ TicketParamMail=E-Mail Einrichtung TicketEmailNotificationFrom=Absenderadresse für Ticketbenachrichtigungen TicketEmailNotificationFromHelp=In Beispielantwort eines Tickets verwendet TicketEmailNotificationTo=E-Mailbenachrichtigungen senden an -TicketEmailNotificationToHelp=Sende Benachrichtigungsemails an diese Adresse. +TicketEmailNotificationToHelp=Sende E-Mail-Benachrichtigungen an diese Adresse. TicketNewEmailBodyLabel=Text Mitteilung die gesendet wird, wenn ein Ticket erstellt wurde TicketNewEmailBodyHelp=Dieser Text wird in die E-Mail eingefügt, welche nach dem erstellen eines Tickets via öffentlichem Interface gesendet wird. Informationen für den Zugriff auf das Ticket werden automatisch hinzugefügt. TicketParamPublicInterface=Einstellungen öffentliche Schnitstelle @@ -130,10 +130,14 @@ TicketNumberingModules=Ticketnummerierungsmodul TicketNotifyTiersAtCreation=Partner über Ticketerstellung Informieren TicketGroup=Gruppe TicketsDisableCustomerEmail=E-Mails immer deaktivieren, wenn ein Ticket über die öffentliche Oberfläche erstellt wird +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - Home +TicketsIndex=Ticketübersicht TicketList=Liste der Tickets TicketAssignedToMeInfos=Diese Seite zeigt Tickets, welche vom aktuellen Benutzer erstellt wurden oder diesem zugeordnet sind NoTicketsFound=Keine Tickets gefunden diff --git a/htdocs/langs/de_DE/users.lang b/htdocs/langs/de_DE/users.lang index 9aa6e40068b..91416683d34 100644 --- a/htdocs/langs/de_DE/users.lang +++ b/htdocs/langs/de_DE/users.lang @@ -47,9 +47,9 @@ PasswordChangedAndSentTo=Passwort geändert und an %s gesendet. PasswordChangeRequest=Aufforderung, das Passwort für %s zu ändern PasswordChangeRequestSent=Kennwort-Änderungsanforderung für %s gesendet an %s. ConfirmPasswordReset=Passwort zurücksetzen -MenuUsersAndGroups=Benutzer & Gruppen -LastGroupsCreated=Letzte %s erstellte Gruppen -LastUsersCreated=%s neueste ertellte Benutzer +MenuUsersAndGroups=Benutzer und Gruppen +LastGroupsCreated=Zuletzt erstellte Gruppen (%s) +LastUsersCreated=Zuletzt erstellte Benutzer (%s) ShowGroup=Zeige Gruppe ShowUser=Zeige Benutzer NonAffectedUsers=Nicht betroffene Benutzer @@ -69,8 +69,8 @@ InternalUser=Interne Benutzer ExportDataset_user_1=Benutzer und -eigenschaften DomainUser=Domain-Benutzer %s Reactivate=Reaktivieren -CreateInternalUserDesc=Dieses Formular erlaubt Ihnen das Anlegen eines Internen Benutzers in Ihrem Unternehmen oder Organisation. Zum Anlegen eines externen Benutzers (Kunden, Lieferanten, ...), verwenden Sie bitte die 'Kontakt/Adresse erstellen'-Schaltfläche in der Kontaktkarte des jeweiligen Partners. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +CreateInternalUserDesc=Dieses Formular erlaubt ihnen das Anlegen eines internen Benutzers in ihrem Unternehmen/ihrer Organisation. Zum Anlegen eines externen Benutzers (Kunden, Lieferanten, ...), verwenden sie bitte die 'Kontakt/Adresse erstellen'-Schaltfläche in der Kontaktkarte des jeweiligen Partners. +InternalExternalDesc=Ein interner Benutzer ist Teil ihres Unternehmens/ihrer Organisation.
Ein externer Benutzer ist ein Kunde, ein Lieferant oder jemand anderes. (Das Anlegen eines externen Benutzers kann aus dem Kontaktdatensatz des Dritten erfolgen.)
Diese Zuordnung regelt die Rechte in Dolibarr, zudem kann ein externer Benutzer andere Menüleisten haben als der interne Benutzer (siehe: Start - Einstellungen - Menüs). PermissionInheritedFromAGroup=Berechtigung durch eine Gruppenzugehörigkeit geerbt. Inherited=Geerbt UserWillBeInternalUser=Erstellter Benutzer ist intern (mit keinem bestimmten Partner verknüpft) @@ -78,6 +78,7 @@ UserWillBeExternalUser=Erstellter Benutzer ist extern (mit einem bestimmten Part IdPhoneCaller=Anrufer ID NewUserCreated=Benutzer %s erstellt NewUserPassword=Passwort ändern für %s +NewPasswordValidated=Ihr neues Passwort wurde validiert und muss nun zum Login verwendet werden. EventUserModified=Benutzer %s geändert UserDisabled=Benutzer %s deaktiviert UserEnabled=Benutzer %s aktiviert @@ -100,7 +101,7 @@ HierarchicView=Hierarchische Ansicht UseTypeFieldToChange=Nutzen sie das Feld "Typ" zum Ändern OpenIDURL=OpenID URL LoginUsingOpenID=Verwende OpenID für Anmeldung -WeeklyHours=Geleistete Stunden (pro Woche) +WeeklyHours=Sollarbeitszeit (Stunden pro Woche) ExpectedWorkedHours=Erwartete Wochenarbeitszeit ColorUser=Benutzerfarbe DisabledInMonoUserMode=Deaktiviert im Wartungsmodus @@ -109,9 +110,9 @@ UserLogoff=Benutzer abmelden UserLogged=Benutzer angemeldet DateEmployment=Beschäftigungsbeginn DateEmploymentEnd=Beschäftigungsende -CantDisableYourself=Sie können Ihr eigenes Benutzerkonto nicht deaktivieren +CantDisableYourself=Sie können nicht ihr eigenes Benutzerkonto deaktivieren ForceUserExpenseValidator=Überprüfung der Spesenabrechnung erzwingen ForceUserHolidayValidator=Gültigkeitsprüfer für Urlaubsanträge erzwingen ValidatorIsSupervisorByDefault=Standardmäßig ist der Prüfer der Supervisor des Benutzers. Leer lassen, um dieses Verhalten beizubehalten. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Private E-Mail-Adresse +UserPersonalMobile=Private Mobiltelefonnummer diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang index fb42a394cff..ffc679fb507 100644 --- a/htdocs/langs/de_DE/website.lang +++ b/htdocs/langs/de_DE/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Roboterdatei (robots.txt) WEBSITE_HTACCESS=Website .htaccess Datei WEBSITE_MANIFEST_JSON=Website manifest.json Datei WEBSITE_README=Datei README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Geben Sie hier Metadaten oder Lizenzinformationen ein, um eine README.md-Datei zu füllen. Wenn Sie Ihre Website als Vorlage verteilen, wird die Datei in die Vorlage aufgenommen. HtmlHeaderPage=HTML Header (Nur für diese Seite) PageNameAliasHelp=Name oder Alias der Seite.
Dieser Alias wird auch zum erstellen einer SEO URL verwendet, wenn die Webseite auf einem Virtuellen Webserver läuft. Verwenden Sie der Button "%s" um den Alias zu ändern. @@ -42,8 +43,8 @@ ViewPageInNewTab=Seite in neuem Tab anzeigen SetAsHomePage=Als Startseite festlegen RealURL=Echte URL ViewWebsiteInProduction=Anzeige der Webseite über die Startseite\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nüber die URL der Homepage -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost=  Verwendung mit Apache / NGinx / ...
Erstellen Sie auf Ihrem Webserver (Apache, Nginx, ...) einen dedizierten virtuellen Host mit aktiviertem PHP und einem Stammverzeichnis unter
%s +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=Kontrolliere dass auch der Virtuelle Host die %s Berechtigung für die die Dateien in
%s hat @@ -57,7 +58,7 @@ NoPageYet=Noch keine Seiten YouCanCreatePageOrImportTemplate=Sie können eine neue Seite erstellen oder eine komplette Website-Vorlage importieren SyntaxHelp=Hilfe zu bestimmten Syntaxtipps YouCanEditHtmlSourceckeditor=Sie können den HTML-Quellcode über die Schaltfläche "Quelle" im Editor bearbeiten. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Sie können PHP-Code mit den Tags <? php? > in diese Quelle einfügen. Die folgenden globalen Variablen sind verfügbar: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs, $ pagelangs.

Sie können auch den Inhalt einer anderen Seite / eines anderen Containers mit der folgenden Syntax einschließen:
<?php includeContainer('alias_of_container_to_include'); ?>

Sie können eine Umleitung auf eine andere Seite / Container mit folgender Syntax machen (Anmerkung: keinen Inhalt vor einer Umleitung ausgeben):
< php redirectToContainer ( 'alias_of_container_to_redirect_to'); ?

Um einen Link zu einer anderen Seite hinzuzufügen, benutzen Sie die Syntax:
<a href = "alias_of_page_to_link_to.php" >mylink<a>


Um einen Link zum Download hinzuzufügen, der eine Datei in das Verzeichnis Dokumente speichert, nutzen Sie den document.phpwrapper:
Beispiel für eine Datei in Dokumente / ecm (muss aufgezeichnet werden), ist die Syntax:
<a href = "/ document.php modulepart = ecm & file = [relative_dir / ] filename.ext ">
Für eine Datei in Dokumente / Medien (offenes Verzeichnis für den öffentlichen Zugriff) lautet die Syntax:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
Für eine mit einem Freigabelink freigegebene Datei ( offener Zugang unter Nutzung des sharing hash key der Datei), lautet die Syntax:
<a href="/document.php?hashp=publicsharekeyoffile">

Um ein Bild in dasDokumente Verzeichnis zu speichern, verwenden Sie die viewimage.php Wrapper:
Beispiel für ein Bild in Dokumente / Medien (offen Verzeichnis für den Zugang der Öffentlichkeit), Syntax:
<img src = "/ viewimage.php modulepart = medias&file = [relative_dir /] filename.ext" >

Weitere Beispiele von HTML oder dynamischer Code auf die Wiki-Dokumentation
. ClonePage=Seite / Container klonen CloneSite=Website klonen SiteAdded=Website hinzugefügt @@ -77,7 +78,7 @@ BlogPost=Blog Eintrag WebsiteAccount=Website Konto WebsiteAccounts=Website Konten AddWebsiteAccount=Website-Konto erstellen -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Zurück zur Liste für Drittanbieter DisableSiteFirst=Webseite zuerst deaktivieren MyContainerTitle=Titel der Website AnotherContainer=So fügen Sie den Inhalt einer anderen Seite/eines anderen Containers ein (Sie könnten hierbei Fehler haben, wenn Sie dynamischen Code aktivieren, weil der eingebettete Subcontainer möglicherweise nicht existiert) @@ -85,7 +86,7 @@ SorryWebsiteIsCurrentlyOffLine=Diese Website ist derzeit offline. Bitte kommen S WEBSITE_USE_WEBSITE_ACCOUNTS=Benutzertabelle für Webseite aktivieren WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Aktiviere die Benutzertabelle, um Webseiten-Konten (Login/Kennwort) für jede Website / jeden Drittanbieter zu speichern YouMustDefineTheHomePage=Zuerst muss die Startseite definiert sein -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Warnung: Das Erstellen einer Webseite durch Importieren einer externen Webseite ist erfahrenen Benutzern vorbehalten. Abhängig von der Komplexität der Quellseite kann das Ergebnis des Imports vom Original abweichen. Auch wenn die Quellseite gängige CSS-Stile oder widersprüchliches Javascript verwendet, kann dies das Aussehen oder die Funktionen des Website-Editors bei der Arbeit an dieser Seite beeinträchtigen. Diese Methode ist eine schnellere Methode zum Erstellen einer Seite. Es wird jedoch empfohlen, Ihre neue Seite von Grund auf neu oder anhand einer vorgeschlagenen Seitenvorlage zu erstellen.
Beachten Sie auch, dass der Inline-Editor möglicherweise nicht ordnungsgemäß funktioniert, wenn er auf einer erfassten externen Seite verwendet wird. OnlyEditionOfSourceForGrabbedContent=Der HTML Code kann nur editiert werden, wenn der Inhalt von einer externen Site geladen wurde GrabImagesInto=Auch Bilder aus CSS und Seite übernehmen ImagesShouldBeSavedInto=Bilder sollten im Verzeichnis gespeichert werden @@ -120,11 +121,14 @@ ShowSubContainersOnOff=Ausführungs-Modus für 'dynamischen Inhalt' ist %s GlobalCSSorJS=Globale CSS / JS / Header-Datei der Website BackToHomePage=Zurück zur Startseite... TranslationLinks=Übersetzungslinks -YouTryToAccessToAFileThatIsNotAWebsitePage=Sie versuchen, auf eine Seite zuzugreifen, die keine Website ist +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Verwende für gute SEO-Ergebnisse einen Text zwischen 5 und 70 Zeichen MainLanguage=Hauptsprache OtherLanguages=Andere Sprachen UseManifest=Eine manifest.json-Datei bereitstellen -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +PublicAuthorAlias=Autor-Alias (öffentlich) +AvailableLanguagesAreDefinedIntoWebsiteProperties=Verfügbare Sprachen werden in Website-Eigenschaften definiert +ReplacementDoneInXPages=Ersetzt in %s Seiten oder Containern +RSSFeed=RSS Feed +RSSFeedDesc=Über diese URL können Sie einen RSS-Feed mit den neuesten Artikeln vom Typ "Blogpost" abrufen +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang index 306fccd5417..ac9a507be0b 100644 --- a/htdocs/langs/de_DE/withdrawals.lang +++ b/htdocs/langs/de_DE/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=SEPA Lastschrift -SuppliersStandingOrdersArea=SEPA Lastschrift +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=SEPA Lastschrift StandingOrderPayment=Lastschrift NewStandingOrder=Neue Bestellung mit Zahlart Lastschrift +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Zu bearbeiten +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Lastschriften WithdrawalReceipt=Lastschrift +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Letzte %s Abbuchungsbelege +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Abbuchungszeilen -RequestStandingOrderToTreat=Bestellung mit Zahlart Lastschrift bearbeiten -RequestStandingOrderTreated=Anfrage für Lastschriftauftrag bearbeitet +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Funktion nicht verfügbar. Der Status des Abbucher muss auf "durchgeführt" gesetzt sein bevor eine Erklärung für die Ablehnung eingetragen werden können. -NbOfInvoiceToWithdraw=Anzahl qualifizierter Rechnungen mit ausstehendem Lastschriftauftrag +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Anzahl der Kundenrechnungen mit Lastschriftaufträgen mit vorhandenen Kontoinformationen +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Rechnung wartet auf Lastschrifteinzug +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Abbuchungsbetrag -WithdrawsRefused=Lastschrift-Einzug abgelehnt -NoInvoiceToWithdraw=Keine Kundenrechnung mit Zahlungsart ''Lastschriftanträgen' in die Warteschlange. Gehen Sie zum Tab '%s' unter Rechnung um den oder die Anträge abzurufen. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Es wartet keine Lieferantenrechnung mit offenen 'Direktgutschriftsanträgen'. Gehen Sie auf die Registerkarte '%s' auf der Rechnungskarte, um eine Anfrage zu stellen. ResponsibleUser=Verantwortlicher Benutzer WithdrawalsSetup=Einstellungen für Lastschriftaufträge +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Statistik Lastschriftzahlungen -WithdrawRejectStatistics=Statistik abgelehnter Lastschriftzahlungen +CreditTransferStatistics=Credit transfer statistics +Rejects=Ablehnungen LastWithdrawalReceipt=Letzte 1%s Einnahmen per Lastschrift MakeWithdrawRequest=Erstelle eine Lastschrift WithdrawRequestsDone=%s Lastschrift-Zahlungsaufforderungen aufgezeichnet @@ -34,7 +50,9 @@ TransMetod=Überweisungsart Send=Senden Lines=Zeilen StandingOrderReject=Ablehnung ausstellen +WithdrawsRefused=Lastschrift-Einzug abgelehnt WithdrawalRefused=Abbuchung abgelehnt +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Möchten Sie wirklich eine Abbuchungsablehnung zu diesem Partner erstellen? RefusedData=Ablehnungsdatum RefusedReason=Ablehnungsgrund @@ -58,6 +76,8 @@ StatusMotif8=Andere Gründe CreateForSepaFRST=Lastschriftdatei erstellen (SEPA FRST) CreateForSepaRCUR=Lastschriftdatei erstellen (SEPA RCUR) CreateAll=Lastschriftdatei erstellen (alle) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Nur Büro CreateBanque=Nur Bank OrderWaiting=Wartend @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nat. Überweisernummer WithBankUsingRIB=Bankkonten mit RIB WithBankUsingBANBIC=Bankkonten mit IBAN/BIC BankToReceiveWithdraw=Bankkonto für Abbuchungen +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Am WithdrawalFileNotCapable=Abbuchungsformular für Ihr Land %s konnte nicht erstellt werden (Dieses Land wird nicht unterstützt). ShowWithdraw=Zeige Lastschrift @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Wenn auf der Rechnung mindestens ein DoStandingOrdersBeforePayments=Dieser Tab ermöglicht Ihnen, eine Zahlung per Bankeinzug anfordern. Wenn Sie fertig sind, gehen Sie in das Menü Bank->Lastschriftaufträge, um den Lastschriftauftrag zu verwalten. Wenn der Zahlungsauftrag geschlossen wird, wird die Zahlung auf der Rechnung automatisch aufgezeichnet und die Rechnung geschlossen, wenn der Restbetrag null ist. WithdrawalFile=Datei abbuchen SetToStatusSent=Setze in Status "Datei versandt" -ThisWillAlsoAddPaymentOnInvoice=Hierdurch werden auch Zahlungen auf Rechnungen erfasst und als "Bezahlt" klassifiziert, wenn der Restbetrag null ist +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistiken nach Statuszeilen RUM=UMR DateRUM=Datum der Unterzeichnung des Mandats diff --git a/htdocs/langs/el_CY/accountancy.lang b/htdocs/langs/el_CY/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/el_CY/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/el_CY/admin.lang b/htdocs/langs/el_CY/admin.lang index 27c312f77d7..908f93ae1c8 100644 --- a/htdocs/langs/el_CY/admin.lang +++ b/htdocs/langs/el_CY/admin.lang @@ -1,5 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/el_CY/companies.lang b/htdocs/langs/el_CY/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/el_CY/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/el_CY/modulebuilder.lang b/htdocs/langs/el_CY/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/el_CY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/el_CY/projects.lang b/htdocs/langs/el_CY/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/el_CY/projects.lang +++ b/htdocs/langs/el_CY/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 2671a163f4e..57d08cd31b7 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Τα επόμενα βήματα θα πρέπ AccountancyAreaDescActionFreq=Οι παρακάτω ενέργειες εκτελούνται συνήθως κάθε μήνα, εβδομάδα ή μέρα για πολύ μεγάλες επιχειρήσεις ... AccountancyAreaDescJournalSetup=STEP %s: Δημιουργήστε ή ελέγξτε το περιεχόμενο της λίστας σας από το μενού %s -AccountancyAreaDescChartModel=STEP %s: Δημιουργήστε ένα μοντέλο χαρτογραφικού λογαριασμού από το μενού %s -AccountancyAreaDescChart=STEP %s: Δημιουργήστε ή ελέγξτε το περιεχόμενο του γραφήματος λογαριασμού σας από το μενού %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Καθορίστε λογαριασμούς λογιστικής για κάθε τιμή ΦΠΑ. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. AccountancyAreaDescDefault=STEP %s: Καθορίστε προεπιλεγμένους λογαριασμούς λογιστικής. Για αυτό, χρησιμοποιήστε την καταχώρηση μενού %s. diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index e9cfbc1009f..a13212eb218 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Επόμενο (τιμολόγιο) NextValueForCreditNotes=Επόμενο (πιστωτικά τιμολόγια) NextValueForDeposit=Επόμενη τιμή (προκαταβολή) NextValueForReplacements=Επόμενη αξία (αντικατάστασης) -MustBeLowerThanPHPLimit=Σημείωση: Η διαμόρφωση PHP σας περιορίζει αυτήν τη στιγμή το μέγιστο μέγεθος αρχείου για φόρτωση%s%s, ανεξάρτητα από την αξία αυτής της παραμέτρου +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Σημείωση: Κανένα όριο δεν έχει οριστεί στη διαμόρφωση του PHP σας MaxSizeForUploadedFiles=Μέγιστο μέγεθος για μεταφόρτωση αρχείων (0 απορρίπτει οποιοδήποτε μεταφόρτωση) UseCaptchaCode=Χρησιμοποιήστε το γραφικό κώδικα (CAPTCHA) στη σελίδα εισόδου @@ -207,7 +207,7 @@ ModulesMarketPlaces=Βρείτε εξωτερική εφαρμογή / ενότ ModulesDevelopYourModule=Δημιουργήστε τη δική σας εφαρμογή / ενότητες ModulesDevelopDesc=Μπορείτε επίσης να αναπτύξετε τη δική σας ενότητα ή να βρείτε συνεργάτη για να αναπτύξετε μία για εσάς. DOLISTOREdescriptionLong=Αντί να ενεργοποιήσετε τον ιστότοπο www.dolistore.com για να βρείτε μια εξωτερική ενότητα, μπορείτε να χρησιμοποιήσετε αυτό το ενσωματωμένο εργαλείο που θα εκτελέσει την αναζήτηση στην εξωτερική αγορά για εσάς (μπορεί να είναι αργή, να χρειάζεστε πρόσβαση στο διαδίκτυο) ... -NewModule=Νέο +NewModule=Νέο Άρθρωμα FreeModule=Δωρεάν/Ελεύθερο CompatibleUpTo=Συμβατό με την έκδοση %s NotCompatible=Αυτή η ενότητα δεν φαίνεται συμβατή με το Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Καινοτομία AchatTelechargement=Αγόρασε / Μεταφόρτωσε GoModuleSetupArea=Για να ενεργοποιήσετε/εγκαταστήσετε ενα νέο module, πηγαίνετε στην περιοχή εγκατάστασης Modules/Applications: %s. DoliStoreDesc=Το DoliStore, είναι η επίσημη περιοχή για να βρείτε εξωτερικά modules για το Dolibarr ERP/CRM -DoliPartnersDesc=Κατάλογος εταιρειών που παρέχουν προσαρμοσμένες λειτουργικές μονάδες ή χαρακτηριστικά.
Σημείωση: δεδομένου ότι η Dolibarr είναι μια εφαρμογή ανοιχτού κώδικα, οποιοσδήποτε έχει εμπειρία στον προγραμματισμό PHP μπορεί να αναπτύξει μια ενότητα. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Εξωτερικοί ιστότοποι για περισσότερες πρόσθετες (μη πυρήνες) ενότητες ... DevelopYourModuleDesc=Μερικές λύσεις για να αναπτύξεις το δικό σου μοντέλο... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Εισάγετε έναν τηλεφωνικό αριθμ RefreshPhoneLink=Ανανέωση συνδέσμου LinkToTest=Δημιουργήθηκε σύνδεσμος για τον χρήστη %s (κάντε κλικ στον αριθμό τηλεφώνου για να τον δοκιμάσετε) KeepEmptyToUseDefault=Αφήστε κενό για να χρησιμοποιήσετε την προεπιλεγμένη τιμή +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Προεπιλεγμένος σύνδεσμος SetAsDefault=Ορισμός ως προεπιλογή ValueOverwrittenByUserSetup=Προσοχή, αυτή η τιμή μπορεί να αντικατασταθεί από επιλογή του χρήστη (ο κάθε χρήστης μπορεί να κάνει τον δικό του σύνδεσμο clicktodial) ExternalModule=Εξωτερική μονάδα InstalledInto=Εγκαταστάθηκε στον κατάλογο %s -BarcodeInitForthird-parties=Μαζικός κώδικας barcode για τρίτους +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Όγκος barcode init ή επαναφορά για προϊόντα ή υπηρεσίες CurrentlyNWithoutBarCode=Επί του παρόντος, έχετε %s ρεκόρ για %s %s χωρίς barcode ορίζεται. InitEmptyBarCode=Init τιμή για τις επόμενες %s άδειες καταχωρήσεις @@ -541,8 +542,8 @@ Module54Name=Συμβόλαια / Συνδρομές Module54Desc=Διαχείριση συμβολαίων (υπηρεσίες ή επαναλαμβανόμενες συνδρομές) Module55Name=Barcodes Module55Desc=Διαχείριση barcode -Module56Name=Τηλεφωνία -Module56Desc= Ενσωμάτωση τηλεφωνίας +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Πληρωμές με χρεώσεις της Τράπεζας Direct Module57Desc=Διαχείριση εντολών πληρωμής άμεσης χρέωσης. Περιλαμβάνει τη δημιουργία αρχείου SEPA για τις ευρωπαϊκές χώρες. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Διαθέσιμες εφαρμογές / ενότητες ToActivateModule=Για να ενεργοποιήσετε Ενθέματα, μεταβείτε στην Περιοχή εγκατάστασης (Αρχική σελίδα-> Ρυθμίσεις-> Ενθέματα). SessionTimeOut=Λήξη χρόνου για τη συνεδρία SessionExplanation=Αυτός ο αριθμός εγγυάται ότι η σύνοδος δεν θα λήξει ποτέ πριν από αυτήν την καθυστέρηση, εάν το πρόγραμμα καθαρισμού συνεδριών γίνεται από εσωτερικό πρόγραμμα καθαρισμού συνεδριών PHP (και τίποτα άλλο). Το εσωτερικό καθαριστικό συνεδρίας της PHP δεν εγγυάται ότι η περίοδος λήξης θα λήξει μετά από αυτήν την καθυστέρηση. Θα λήξει μετά από αυτή την καθυστέρηση και όταν εκτελείται το πρόγραμμα καθαρισμού συνεδριών, έτσι ώστε κάθε %s / %s να έχει πρόσβαση, αλλά μόνο κατά την πρόσβαση από άλλες συνεδρίες (εάν η τιμή είναι 0, σημαίνει ότι η εκκαθάριση της περιόδου λειτουργίας γίνεται μόνο από μια εξωτερική διαδικασία) .
Σημείωση: Σε ορισμένους διακομιστές με μηχανισμό εξωτερικού καθαρισμού συνεδριών (cron κάτω από debian, ubuntu ...), οι συνεδρίες μπορούν να καταστραφούν μετά από μια περίοδο που ορίζεται από μια εξωτερική ρύθμιση, ανεξάρτητα από την αξία που εισάγεται εδώ. +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. TriggersAvailable=Available triggers TriggersDesc=Οι ενεργοποιητές είναι αρχεία που θα τροποποιήσουν τη συμπεριφορά της ροής εργασίας Dolibarr μόλις αντιγραφεί στον κατάλογο htdocs / core / trigger . Συνειδητοποιούν νέες ενέργειες που ενεργοποιούνται σε συμβάντα Dolibarr (δημιουργία νέας εταιρείας, επικύρωση τιμολογίου, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Έκδοση στο πεδίο %s FillThisOnlyIfRequired=Παράδειγμα: +2 (συμπληρώστε μόνο αν ζώνη ώρας αντισταθμίσουν τα προβλήματα για προβλήματα που προέκυψαν) GetBarCode=Πάρτε barcode NumberingModules=Μοντέλα αρίθμησης +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Μην προτείνετε έναν κωδικό πρόσβασης που δημιουργείται. Ο κωδικός πρόσβασης πρέπει να πληκτρολογηθεί μη αυτόματα. @@ -1844,6 +1847,7 @@ MailToThirdparty=Πελ./Προμ. MailToMember=Μέλη MailToUser=Χρήστες MailToProject=Σελίδα έργων +MailToTicket=Εισιτήρια ByDefaultInList=Εμφάνιση από προεπιλογή στην προβολή λίστας YouUseLastStableVersion=Χρησιμοποιείτε την πιο πρόσφατη σταθερή έκδοση TitleExampleForMajorRelease=Παράδειγμα μηνύματος που μπορείτε να χρησιμοποιήσετε για να ανακοινώσετε αυτή τη σημαντική έκδοση (διστάσετε να το χρησιμοποιήσετε στις ιστοσελίδες σας) @@ -1996,6 +2000,7 @@ EmailTemplate=Πρότυπο email EMailsWillHaveMessageID=Τα μηνύματα ηλεκτρονικού ταχυδρομείου θα έχουν μια ετικέτα "Αναφορές" που ταιριάζουν με αυτή τη σύνταξη PDF_USE_ALSO_LANGUAGE_CODE=Εάν θέλετε να αντιγράψετε ορισμένα κείμενα στο PDF σας σε 2 διαφορετικές γλώσσες στο ίδιο δημιουργημένο PDF, πρέπει να ορίσετε εδώ αυτήν τη δεύτερη γλώσσα, ώστε το παραγόμενο PDF να περιέχει 2 διαφορετικές γλώσσες στην ίδια σελίδα, αυτή που επιλέγεται κατά τη δημιουργία PDF και αυτή ( μόνο λίγα πρότυπα PDF το υποστηρίζουν αυτό). Κρατήστε κενό για 1 γλώσσα ανά PDF. FafaIconSocialNetworksDesc=Εισαγάγετε εδώ τον κωδικό ενός εικονιδίου FontAwesome. Εάν δεν γνωρίζετε τι είναι το FontAwesome, μπορείτε να χρησιμοποιήσετε τη γενική τιμή fa-address-book. +FeatureNotAvailableWithReceptionModule=Η λειτουργία δεν είναι διαθέσιμη όταν είναι ενεργοποιημένη η λειτουργία Υποδοχή RssNote=Σημείωση: Κάθε ορισμός τροφοδοσίας RSS παρέχει ένα widget που πρέπει να ενεργοποιήσετε για να το έχετε διαθέσιμο στον πίνακα ελέγχου JumpToBoxes=Μετάβαση στη ρύθμιση -> Widgets MeasuringUnitTypeDesc=Χρησιμοποιήστε εδώ μια τιμή όπως "μέγεθος", "επιφάνεια", "όγκος", "βάρος", "χρόνος" diff --git a/htdocs/langs/el_GR/agenda.lang b/htdocs/langs/el_GR/agenda.lang index 263f07fd78d..85fa3cfdff7 100644 --- a/htdocs/langs/el_GR/agenda.lang +++ b/htdocs/langs/el_GR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Η παρέμβαση %s στάλθηκε με ηλεκ ProposalDeleted=Η προσφορά διαγράφηκε OrderDeleted=Η παραγγελία διαγράφηκε InvoiceDeleted=Το τιμολόγιο διαγράφηκε +DraftInvoiceDeleted=Το πρόχειρο τιμολόγιο διαγράφηκε PRODUCT_CREATEInDolibarr=Το προϊόν %s δημιουργήθηκε PRODUCT_MODIFYInDolibarr=Το προϊόν %s τροποποιήθηκε PRODUCT_DELETEInDolibarr=Το προϊόν %s διαγράφηκε HOLIDAY_CREATEInDolibarr=Αίτηση για άδεια %s δημιουργήθηκε HOLIDAY_MODIFYInDolibarr=Αίτηση για άδεια %s τροποποιήθηκε HOLIDAY_APPROVEInDolibarr=Η αίτηση για άδεια %s εγκρίθηκε -HOLIDAY_VALIDATEDInDolibarr=Αίτηση άδειας %s επικυρώθηκε +HOLIDAY_VALIDATEInDolibarr=Το αίτημα άδειας %s επικυρώθηκε HOLIDAY_DELETEInDolibarr=Αίτηση άδειας %s διαγράφηκε EXPENSE_REPORT_CREATEInDolibarr=Αναφορά εξόδων %s δημιουργήθηκε EXPENSE_REPORT_VALIDATEInDolibarr=Έκθεση δαπανών %s επικυρωθεί @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=Το BOM είναι απενεργοποιημένο BOM_REOPENInDolibarr=Ανοίξτε ξανά το BOM BOM_DELETEInDolibarr=Το BOM διαγράφηκε MRP_MO_VALIDATEInDolibarr=Το ΜΟ επικυρώθηκε +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=Το ΜΟ παράχθηκε MRP_MO_DELETEInDolibarr=Το MO διαγράφηκε +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Πρότυπα εγγράφων για συμβάν DateActionStart=Ημερομηνία έναρξης @@ -151,3 +154,6 @@ EveryMonth=Μηνιαίο DayOfMonth=Ημέρα του Μήνα DayOfWeek=Ημέρα της εβδομάδας DateStartPlusOne=Έναρξη ημέρας + 1 ώρα +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang index ceb57bff8f0..93fd2610d31 100644 --- a/htdocs/langs/el_GR/banks.lang +++ b/htdocs/langs/el_GR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=Κωδικός BIC / SWIFT έγκυρος SwiftVNotalid=Κωδικός BIC / SWIFT μη έγκυρος IbanValid=έγκυρο IBAN IbanNotValid=Μη έγκυρο IBAN -StandingOrders=Παραγγελίες άμεσης χρέωσης +StandingOrders=Direct debit orders StandingOrder=Παραγγελία άμεσης χρέωσης +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Κίνηση Λογαριασμού AccountStatementShort=Κίνηση AccountStatements=Κινήσεις Λογαριασμού diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index 6891d2a860d..dd095042891 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Έκπτωση SendBillRef=Υποβολή των τιμολογίων %s SendReminderBillRef=Υποβολή των τιμολογίων %s (υπενθύμιση) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Δεν υπάρχουν προσχέδια NoOtherDraftBills=Δεν υπάρχουν άλλα προσχέδια NoDraftInvoices=Δεν υπάρχουν προσχέδια τιμολογίων @@ -572,3 +570,6 @@ AutoFillDateToShort=Ορίστε την ημερομηνία λήξης MaxNumberOfGenerationReached=Μέγιστος αριθμός γονιδίων. επιτευχθεί BILL_DELETEInDolibarr=Το τιμολόγιο διαγράφηκε BILL_SUPPLIER_DELETEInDolibarr=Το τιμολόγιο προμηθευτή διαγράφηκε +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/el_GR/cashdesk.lang b/htdocs/langs/el_GR/cashdesk.lang index 3dc213913e9..d6731c01c2b 100644 --- a/htdocs/langs/el_GR/cashdesk.lang +++ b/htdocs/langs/el_GR/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Προσθέστε αυτό το προϊόν RestartSelling=Επιστρέψτε στην πώληση SellFinished=Ολοκληρωμένη πώληση PrintTicket=Εκτύπωση Απόδειξης -SendTicket=Send ticket +SendTicket=Στείλτε εισιτήριο NoProductFound=Το προϊόν δεν βρέθηκε ProductFound=Το προϊόν βρέθηκε NoArticle=Κανένα προϊόν @@ -49,7 +49,7 @@ Footer=Υποσέλιδο AmountAtEndOfPeriod=Ποσό στο τέλος της περιόδου (ημέρα, μήνας ή έτος) TheoricalAmount=Θεωρητικό ποσό RealAmount=Πραγματικό ποσό -CashFence=Cash fence +CashFence=Φραγή μετρητών CashFenceDone=Μετρητά φράχτη για την περίοδο NbOfInvoices=Πλήθος τιμολογίων Paymentnumpad=Τύπος πλακέτας για να πληκτρολογήσετε την πληρωμή @@ -60,9 +60,9 @@ TakeposNeedsCategories=Το TakePOS χρειάζεται κατηγορίες π OrderNotes=Σημειώσεις Παραγγελίας CashDeskBankAccountFor=Προεπιλεγμένος λογαριασμός που θα χρησιμοποιηθεί για πληρωμές σε NoPaimementModesDefined=Δεν έχει ρυθμιστεί η λειτουργία πρατηρίου που έχει οριστεί στη διαμόρφωση του TakePOS -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Ομαδικός ΦΠΑ ανά τιμή σε εισιτήρια | αποδείξεις +AutoPrintTickets=Εκτυπώστε αυτόματα εισιτήρια | αποδείξεις +PrintCustomerOnReceipts=Εκτύπωση πελάτη σε εισιτήρια | αποδείξεις EnableBarOrRestaurantFeatures=Ενεργοποιήστε τις λειτουργίες του μπαρ ή του εστιατορίου ConfirmDeletionOfThisPOSSale=Επιβεβαιώνετε τη διαγραφή αυτής της τρέχουσας πώλησης; ConfirmDiscardOfThisPOSSale=Θέλετε να απορρίψετε αυτήν την τρέχουσα πώληση; @@ -87,22 +87,26 @@ SupplementCategory=Συμπλήρωμα κατηγορίας ColorTheme=Χρώμα θέματος Colorful=Πολύχρωμα HeadBar=Μπάρα Κεφαλίδας -SortProductField=Field for sorting products +SortProductField=Πεδίο διαλογής προϊόντων 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. -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +BrowserMethodDescription=Απλή και εύκολη εκτύπωση απόδειξης. Μόνο μερικές παράμετροι για τη διαμόρφωση της απόδειξης. Εκτύπωση μέσω προγράμματος περιήγησης. +TakeposConnectorMethodDescription=Εξωτερική μονάδα με επιπλέον χαρακτηριστικά. Δυνατότητα εκτύπωσης από το σύννεφο. +PrintMethod=Μέθοδος εκτύπωσης +ReceiptPrinterMethodDescription=Ισχυρή μέθοδος με πολλές παραμέτρους. Πλήρως προσαρμόσιμο με πρότυπα. Δεν είναι δυνατή η εκτύπωση από το σύννεφο. +ByTerminal=Από τερματικό +TakeposNumpadUsePaymentIcon=Χρησιμοποιήστε το εικονίδιο πληρωμής στο Numpad +CashDeskRefNumberingModules=Numbering module for POS sales +CashDeskGenericMaskCodes6 =  
{TN} ετικέτα χρησιμοποιείται για την προσθήκη του αριθμού τερματικού +TakeposGroupSameProduct=Ομαδοποιήστε τις ίδιες σειρές προϊόντων +StartAParallelSale=Ξεκινήστε μια νέα παράλληλη πώληση +ControlCashOpening=Ελέγξτε το κουτί μετρητών κατά το άνοιγμα θέσης +CloseCashFence=Κλείστε το φράχτη μετρητών +CashReport=Έκθεση μετρητών +MainPrinterToUse=Κύριος εκτυπωτής προς χρήση +OrderPrinterToUse=Παραγγείλετε τον εκτυπωτή για χρήση +MainTemplateToUse=Κύριο πρότυπο για χρήση +OrderTemplateToUse=Πρότυπο παραγγελίας για χρήση +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/el_GR/categories.lang b/htdocs/langs/el_GR/categories.lang index 2af14003ebb..88578934023 100644 --- a/htdocs/langs/el_GR/categories.lang +++ b/htdocs/langs/el_GR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Ετικέτες/Κατηγορίες Λογαριασμ ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Ετικέτες / κατηγορίες χρηστών StockCategoriesShort=Ετικέτες / κατηγορίες αποθήκης -ThisCategoryHasNoProduct=Αυτή η κατηγορία δεν περιέχει κανένα προϊόν. -ThisCategoryHasNoSupplier=Αυτή η κατηγορία δεν περιέχει προμηθευτή. -ThisCategoryHasNoCustomer=Αυτή η κατηγορία δεν περιέχει κανένα πελάτη. -ThisCategoryHasNoMember=Αυτή η κατηγορία δεν περιέχει κανένα μέλος. -ThisCategoryHasNoContact=Αυτή η κατηγορία δεν περιέχει καμία επαφή. -ThisCategoryHasNoAccount=Αυτή η κατηγορία δεν περιέχει κανέναν λογαριασμό -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=Αυτή η κατηγορία δεν περιέχει στοιχεία. CategId=Ετικέτα/κατηγορία id CatSupList=Λίστα ετικετών / κατηγοριών πωλητών CatCusList=Λίστα πελάτη/προοπτικής ετικέτες/κατηγορίες @@ -78,7 +72,7 @@ CatMemberList=Λίστα μελών ετικέτες/κατηγορίες CatContactList=Λίστα ετικετών/κατηγοριών επαφών CatSupLinks=Συνδέσεις μεταξύ προμηθευτών και ετικετών/κατηγοριών CatCusLinks=Συνδέσεις μεταξύ πελατών/προοπτικών και ετικετών/κατηγοριών -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Σύνδεσμοι μεταξύ επαφών / διευθύνσεων και ετικετών / κατηγοριών CatProdLinks=Συνδέσεις μεταξύ προϊόντων/υπηρεσιών και ετικετών/κατηγοριών CatProJectLinks=Links between projects and tags/categories DeleteFromCat=Αφαίρεση αυτής της ετικέτας/κατηγορίας @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Επιλέξτε κατηγορία StocksCategoriesArea=Αποθήκες Κατηγορίες Περιοχή ActionCommCategoriesArea=Περιοχή κατηγοριών Εκδηλώσεων +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Χρήση ή χειριστής για κατηγορίες diff --git a/htdocs/langs/el_GR/companies.lang b/htdocs/langs/el_GR/companies.lang index d5121eceabd..5f197c22491 100644 --- a/htdocs/langs/el_GR/companies.lang +++ b/htdocs/langs/el_GR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Περιοχή προοπτικής IdThirdParty=Αναγνωριστικό IdCompany=Αναγνωριστικό εταιρίας IdContact=Αναγνωριστικό αντιπροσώπου -Contacts=Αντιπρόσωποι ThirdPartyContacts=Επαφές τρίτων ThirdPartyContact=Επικοινωνία / διεύθυνση τρίτου μέρους Company=Εταιρία @@ -298,7 +297,8 @@ AddContact=Δημιουργία επαφής AddContactAddress=Δημιουργία επαφής/διεύθυνση EditContact=Επεξεργασία επαφής EditContactAddress=Επεξεργασία επαφής/διεύθυνσης -Contact=Υπεύθυνος επικοινωνίας +Contact=Contact/Address +Contacts=Αντιπρόσωποι ContactId=Contact id ContactsAddresses=Επαφές/Διευθύνσεις FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted="%s" διαγράφηκε από την βάση δεδομένω ListOfContacts=Λίστα αντιπροσώπων ListOfContactsAddresses=Λίστα αντιπροσώπων ListOfThirdParties=Κατάλογος τρίτων μερών -ShowContact=Εμφάνιση Προσώπου Επικοινωνίας +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Όλα (Χωρίς Φίλτρο) ContactType=Τύπος αντιπροσώπου επικοινωνίας ContactForOrders=Αντιπρόσωπος επικοινωνίας για παραγγελία @@ -424,7 +425,7 @@ ListSuppliersShort=Λίστα προμηθευτών ListProspectsShort=Κατάλογος προοπτικών ListCustomersShort=Κατάλογος πελατών ThirdPartiesArea=Τρίτα μέρη / Επαφές -LastModifiedThirdParties=Το τελευταίο %s τροποποίησε Τρίτα Μέρη +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Σύνολο Τρίτων Μερών InActivity=Ανοίξτε ActivityCeased=Κλειστό @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=First name of sales representative SaleRepresentativeLastname=Last name of sales representative ErrorThirdpartiesMerge=Παρουσιάστηκε σφάλμα κατά τη διαγραφή των τρίτων. Ελέγξτε το αρχείο καταγραφής. Οι αλλαγές έχουν επανέλθει. NewCustomerSupplierCodeProposed=Κωδικός πελάτη ή προμηθευτή που έχει ήδη χρησιμοποιηθεί, προτείνεται ένας νέος κωδικός -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Διατηρήστε αυτό το πεδίο κενό εάν αυτή η διεύθυνση είναι γενική διεύθυνση #Imports PaymentTypeCustomer=Τύπος Πληρωμής - Πελάτης PaymentTermsCustomer=Όροι πληρωμής - Πελάτης diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index f83468b7f5f..5849650e55c 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=Ο διακομιστής δεν έλαβε ολόκληρο τ ErrorNoTmpDir=Ο προσωρινός φάκελος %s δεν υπάρχει. ErrorUploadBlockedByAddon=Η μεταφόρτωση απετράπει από ένα PHP / Apache plugin. ErrorFileSizeTooLarge=Το μέγεθος του αρχείου είναι πολύ μεγάλο. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Το πεδίο %s είναι πολύ μεγάλο. ErrorSizeTooLongForIntType=Το μέγεθος είναι υπερβολικά μεγάλο για τιμή τύπου ακεραίου (%s είναι το μέγιστο πλήθος ψηφίων) ErrorSizeTooLongForVarcharType=Το μέγεθος είναι υπερβολικά μεγάλο για τιμή τύπου αλφαριθμητικού (%s είναι το μέγιστο πλήθος χαρακτήρων) ErrorNoValueForSelectType=Παρακαλούμε συμπληρώστε τιμή για την αναδυόμενη λίστα επιλογής @@ -97,7 +97,7 @@ ErrorBadMaskFailedToLocatePosOfSequence=Σφάλμα, μάσκα χωρίς το ErrorBadMaskBadRazMonth=Σφάλμα, κακή αξία επαναφορά ErrorMaxNumberReachForThisMask=Ο μέγιστος αριθμός που επιτεύχθηκε για αυτήν τη μάσκα ErrorCounterMustHaveMoreThan3Digits=Ο μετρητής πρέπει να έχει περισσότερα από 3 ψηφία -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Σφάλμα, επιλέξτε τουλάχιστον μία καταχώριση. ErrorDeleteNotPossibleLineIsConsolidated=Η διαγραφή δεν είναι δυνατή επειδή η εγγραφή συνδέεται με μια τραπεζική συναλλαγή που είναι συμβιβασμένη ErrorProdIdAlreadyExist=%s έχει ανατεθεί σε άλλη τρίτη ErrorFailedToSendPassword=Αποτυχία αποστολής κωδικού @@ -118,8 +118,8 @@ ErrorLoginDoesNotExists=Χρήστης με %s login δεν θα μπορ ErrorLoginHasNoEmail=Αυτός ο χρήστης δεν έχει τη διεύθυνση ηλεκτρονικού ταχυδρομείου. Επεξεργασία ματαιώθηκε. ErrorBadValueForCode=Κακό αξία για τον κωδικό ασφαλείας. Δοκιμάστε ξανά με νέα τιμή ... ErrorBothFieldCantBeNegative=Πεδία %s %s και δεν μπορεί να είναι τόσο αρνητικές όσο -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. +ErrorFieldCantBeNegativeOnInvoice=Το πεδίο %s δεν μπορεί να είναι αρνητικό σε αυτόν τον τύπο τιμολογίου. Εάν πρέπει να προσθέσετε μια γραμμή έκπτωσης, απλώς δημιουργήστε πρώτα την έκπτωση (από το πεδίο '%s' στην κάρτα τρίτου μέρους) και εφαρμόστε την στο τιμολόγιο. +ErrorLinesCantBeNegativeForOneVATRate=Το σύνολο των γραμμών δεν μπορεί να είναι αρνητικό για έναν δεδομένο συντελεστή ΦΠΑ. ErrorLinesCantBeNegativeOnDeposits=Οι γραμμές δεν μπορούν να είναι αρνητικές σε μια κατάθεση. Θα αντιμετωπίσετε προβλήματα όταν θα χρειαστεί να καταναλώσετε την προκαταβολή στο τελικό τιμολόγιο εάν το κάνετε. ErrorQtyForCustomerInvoiceCantBeNegative=Η ποσότητα στην γραμμή στα τιμολόγια των πελατών δεν μπορεί να είναι αρνητική ErrorWebServerUserHasNotPermission=Λογαριασμό χρήστη %s χρησιμοποιείται για την εκτέλεση του web server δεν έχει άδεια για τη συγκεκριμένη @@ -230,13 +230,13 @@ ErrorFieldRequiredForProduct=Το πεδίο '%s' απαιτείται για τ ProblemIsInSetupOfTerminal=Πρόβλημα στη ρύθμιση του τερματικού %s. ErrorAddAtLeastOneLineFirst=Προσθέστε πρώτα τουλάχιστον μια γραμμή ErrorRecordAlreadyInAccountingDeletionNotPossible=Σφάλμα, η εγγραφή έχει ήδη μεταφερθεί στη λογιστική, η διαγραφή δεν είναι δυνατή. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Σφάλμα, η γλώσσα είναι υποχρεωτική εάν ορίσετε τη σελίδα ως μετάφραση άλλης. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Σφάλμα, η γλώσσα της μεταφρασμένης σελίδας είναι ίδια από αυτήν. +ErrorBatchNoFoundForProductInWarehouse=Δεν βρέθηκε παρτίδα / σειριακή για το προϊόν "%s" στην αποθήκη "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Δεν υπάρχει αρκετή ποσότητα για αυτήν την παρτίδα / σειριακό για το προϊόν "%s" στην αποθήκη "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Είναι δυνατό μόνο 1 πεδίο για την «Ομάδα κατά» (άλλα απορρίπτονται) +ErrorTooManyDifferentValueForSelectedGroupBy=Βρέθηκαν πάρα πολλές διαφορετικές τιμές (περισσότερες από %s ) για το πεδίο " %s ", οπότε δεν μπορούμε να το χρησιμοποιήσουμε ως γραφικά " Το πεδίο "Group By" έχει αφαιρεθεί. Μπορεί να θέλετε να το χρησιμοποιήσετε ως άξονα X; +ErrorReplaceStringEmpty=Σφάλμα, η συμβολοσειρά για αντικατάσταση είναι κενή # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Η παράμετρος PHP upload_max_filesize (%s) είναι υψηλότερη από την παράμετρο PHP post_max_size (%s). Αυτό δεν είναι μια σταθερή ρύθμιση. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Προειδοποίηση, ο WarningDateOfLineMustBeInExpenseReportRange=Προειδοποίηση, η ημερομηνία της γραμμής δεν βρίσκεται στο εύρος της έκθεσης δαπανών WarningProjectClosed=Το έργο είναι κλειστό. Πρέπει πρώτα να το ανοίξετε ξανά. WarningSomeBankTransactionByChequeWereRemovedAfter=Ορισμένες τραπεζικές συναλλαγές καταργήθηκαν μετά την ενσωμάτωσής τους εκεί οπου δημιουργήθηκαν. Επομένως, οι έλεγχοι και το σύνολο της απόδειξης μπορεί να διαφέρουν από τον αριθμό και το σύνολο της λίστας. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/el_GR/hrm.lang b/htdocs/langs/el_GR/hrm.lang index fd82e2cb08a..b7dcc4da1b8 100644 --- a/htdocs/langs/el_GR/hrm.lang +++ b/htdocs/langs/el_GR/hrm.lang @@ -5,12 +5,13 @@ Establishments=Εγκαταστάσεις Establishment=Εγκατάσταση NewEstablishment=Νέα εγκατάσταση DeleteEstablishment=Διαγραφή εγκατάστασης -ConfirmDeleteEstablishment=Είστε σίγουροι ότι θέλετε να διαγράψετε αυτή τη σύσταση; +ConfirmDeleteEstablishment= Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την σύσταση ? OpenEtablishment=Άνοιγμα εγκατάστασης CloseEtablishment=Κλείσιμο εγκατάστασης # Dictionary +DictionaryPublicHolidays=HRM-δημόσιες αργίες DictionaryDepartment=HRM - Λίστα τμημάτων -DictionaryFunction=HRM - Λίστα συναρτήσεων +DictionaryFunction=HRM - Job positions # Module Employees=Εργαζόμενοι Employee=Υπάλληλος diff --git a/htdocs/langs/el_GR/install.lang b/htdocs/langs/el_GR/install.lang index b791f0313f3..2622954a63d 100644 --- a/htdocs/langs/el_GR/install.lang +++ b/htdocs/langs/el_GR/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Αυτή η PHP υποστηρίζει το Curl. PHPSupportCalendar=Αυτή η PHP υποστηρίζει επεκτάσεις ημερολογίων. PHPSupportUTF8=Αυτή η PHP υποστηρίζει τις λειτουργίες UTF8. PHPSupportIntl=Αυτή η PHP υποστηρίζει τις λειτουργίες Intl. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Αυτό το PHP υποστηρίζει εκτεταμένες λειτουργίες εντοπισμού σφαλμάτων. PHPSupport=Η PHP υποστηρίζει %s λειτουργίες . PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Η μνήμη συνεδρίας PHP max έχει οριστεί σε %s bytes. Αυτό είναι πολύ χαμηλό. Αλλάξτε το php.ini για να ρυθμίσετε την παράμετρο memory_limit σε τουλάχιστον bytes %s . @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Η εγκατάσταση της php δεν υποσ ErrorPHPDoesNotSupportCalendar=Η εγκατάσταση της PHP δεν υποστηρίζει επεκτάσεις του php calendar. ErrorPHPDoesNotSupportUTF8=Η εγκατάσταση της PHP δεν υποστηρίζει λειτουργίες UTF8. Το Dolibarr δεν μπορεί να λειτουργήσει σωστά. Επιλύστε αυτό πριν εγκαταστήσετε Dolibarr. ErrorPHPDoesNotSupportIntl=Η εγκατάσταση της PHP δεν υποστηρίζει τις λειτουργίες Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Η εγκατάσταση της PHP δεν υποστηρίζει επεκτάσεις εντοπισμού σφαλμάτων. ErrorPHPDoesNotSupport=Η εγκατάσταση της PHP σας δεν υποστηρίζει %s λειτουργίες . ErrorDirDoesNotExists=Κατάλογος %s δεν υπάρχει. ErrorGoBackAndCorrectParameters=Επιστρέψτε και ελέγξτε / διορθώστε τις παραμέτρους. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Παρουσιάστηκε σφάλμα κατά τη YouTryInstallDisabledByDirLock=Η εφαρμογή προσπάθησε να αυτο-αναβαθμιστεί, αλλά οι σελίδες εγκατάστασης / αναβάθμισης έχουν απενεργοποιηθεί για λόγους ασφαλείας (ο κατάλογος μετονομάζεται σε κατάληξη .lock).
YouTryInstallDisabledByFileLock=Η εφαρμογή προσπάθησε να αυτο-αναβαθμιστεί, αλλά οι σελίδες εγκατάστασης / αναβάθμισης έχουν απενεργοποιηθεί για λόγους ασφαλείας (με την ύπαρξη ενός αρχείου κλειδώματος install.lock στον κατάλογο εγγράφων dolibarr).
ClickHereToGoToApp=Κάντε κλικ εδώ για να μεταβείτε στην αίτησή σας -ClickOnLinkOrRemoveManualy=Κάντε κλικ στον παρακάτω σύνδεσμο. Εάν βλέπετε πάντα την ίδια σελίδα, πρέπει να καταργήσετε / μετονομάσετε το αρχείο install.lock στον κατάλογο εγγράφων. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +Loaded=Φορτωμένος +FunctionTest=Δοκιμή λειτουργίας diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index 8c10cd22771..f616bc7c169 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Δεν υπάρχει διαθέσιμο πρότυπο για AvailableVariables=Διαθέσιμες μεταβλητές αντικατάστασης NoTranslation=Δεν μεταφράστηκε Translation=Μετάφραση -EmptySearchString=Εισαγάγετε μια μη κενή σειρά αναζήτησης +EmptySearchString=Enter non empty search criterias NoRecordFound=Δεν υπάρχουν καταχωρημένα στοιχεία NoRecordDeleted=Δεν διαγράφηκε εγγραφή NotEnoughDataYet=Τα δεδομένα δεν είναι επαρκή @@ -174,7 +174,7 @@ SaveAndStay=Εξοικονομήστε και μείνετε SaveAndNew=Αποθήκευση και Νέο TestConnection=Δοκιμή Σύνδεσης ToClone=Κλωνοποίηση -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε το αντικείμενο %s ; ConfirmClone=Επιλέξτε τα δεδομένα που θέλετε να κλωνοποιήσετε: NoCloneOptionsSpecified=Δεν καθορίστηκαν δεδομένα προς κλωνοποίηση. Of=του @@ -187,6 +187,8 @@ ShowCardHere=Εμφάνιση Κάρτας Search=Αναζήτηση SearchOf=Αναζήτηση SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Έγκυρο Approve=Έγκριση Disapprove=Δεν εγκρίνεται @@ -353,8 +355,8 @@ PriceUTTC=Τιμή μον. (συμπ. Φ.Π.Α.) Amount=Ποσό AmountInvoice=Ποσό Τιμολογίου AmountInvoiced=Ποσό τιμολογημένο -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Ποσό που έχει τιμολογηθεί (συμπεριλαμβανομένου του φόρου) +AmountInvoicedTTC=Ποσό που έχει τιμολογηθεί (χωρίς φόρο) AmountPayment=Ποσό Πληρωμής AmountHTShort=Ποσό (εκτός) AmountTTCShort=Ποσό (με Φ.Π.Α.) @@ -426,6 +428,7 @@ Modules=Ενότητες / Εφαρμογές Option=Επιλογή List=Λίστα FullList=Πλήρης Λίστα +FullConversation=Full conversation Statistics=Στατιστικά OtherStatistics=Οι άλλες στατιστικές Status=Κατάσταση @@ -663,6 +666,7 @@ Owner=Ιδιοκτήτης FollowingConstantsWillBeSubstituted=Οι ακόλουθες σταθερές θα αντικαταστασθούν με τις αντίστοιχες τιμές Refresh=Ανανέωση BackToList=Επιστροφή στη Λίστα +BackToTree=Back to tree GoBack=Επιστροφή CanBeModifiedIfOk=Μπορεί να τροποποιηθεί αν είναι έγκυρο CanBeModifiedIfKo=Τροποποιήσιμο αν δεν είναι έγκυρο @@ -830,8 +834,8 @@ Gender=Φύλο Genderman=Άνδρας Genderwoman=Γυναίκα ViewList=Προβολή λίστας -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantt θέα +ViewKanban=Θέα στο Kanban Mandatory=Υποχρεωτικό Hello=Χαίρετε GoodBye=Αντιο σας @@ -839,6 +843,7 @@ Sincerely=Ειλικρινώς ConfirmDeleteObject=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το αντικείμενο; DeleteLine=Διαγραφή γραμμής ConfirmDeleteLine=Είστε σίγουρος ότι θέλετε να διαγράψετε αυτή τη γραμμή; +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Δεν υπήρχε αρχείο PDF για την παραγωγή εγγράφων μεταξύ των καταχωρημένων εγγραφών TooManyRecordForMassAction=Έχουν επιλεγεί πάρα πολλά αρχεία για μαζική δράση. Η ενέργεια περιορίζεται σε μια λίστα αρχείων %s. NoRecordSelected=Δεν έχει επιλεγεί εγγραφή @@ -953,12 +958,13 @@ SearchIntoMembers=Μέλη SearchIntoUsers=Χρήστες SearchIntoProductsOrServices=Προϊόντα ή Υπηρεσίες SearchIntoProjects=Έργα +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Εργασίες SearchIntoCustomerInvoices=Τιμολόγια πελατών SearchIntoSupplierInvoices=Τιμολόγια προμηθευτή SearchIntoCustomerOrders=Παραγγελίες πωλήσεων SearchIntoSupplierOrders=Εντολές αγοράς -SearchIntoCustomerProposals=Προσφορές πελατών +SearchIntoCustomerProposals=Προσφορές SearchIntoSupplierProposals=Προτάσεις πωλητών SearchIntoInterventions=Παρεμβάσεις SearchIntoContracts=Συμβόλαια @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Επιλέξτε τις επιλογές γραφή Measures=Μετρήσεις XAxis=Άξονας Χ YAxis=Άξονας Υ -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +StatusOfRefMustBe=Η κατάσταση του %s πρέπει να είναι %s +DeleteFileHeader=Επιβεβαίωση διαγραφής αρχείου +DeleteFileText=Θέλετε πραγματικά να διαγράψετε αυτό το αρχείο; +ShowOtherLanguages=Εμφάνιση άλλων γλωσσών +SwitchInEditModeToAddTranslation=Μεταβείτε στη λειτουργία επεξεργασίας για να προσθέσετε μεταφράσεις για αυτήν τη γλώσσα +NotUsedForThisCustomer=Δεν χρησιμοποιείται για αυτόν τον πελάτη +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang index e0758bc6a64..6f8f201d666 100644 --- a/htdocs/langs/el_GR/modulebuilder.lang +++ b/htdocs/langs/el_GR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Επικίνδυνη ζώνη BuildPackage=Δημιουργία πακέτου BuildPackageDesc=Μπορείτε να δημιουργήσετε ένα πακέτο zip της αίτησής σας έτσι ώστε να είστε έτοιμοι να το διανείμετε σε οποιοδήποτε Dolibarr. Μπορείτε επίσης να το διανείμετε ή να το πουλήσετε στην αγορά όπως το DoliStore.com . BuildDocumentation=Δημιουργία εγγράφων -ModuleIsNotActive=Αυτή η ενότητα δεν έχει ενεργοποιηθεί ακόμα. Μεταβείτε στο %s για να το κάνετε ζωντανό ή κάντε κλικ εδώ: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=Αυτή η ενότητα έχει ενεργοποιηθεί. Οποιαδήποτε αλλαγή μπορεί να σπάσει ένα τρέχον ζωντανό χαρακτηριστικό. DescriptionLong=Μεγάλη περιγραφή EditorName=Όνομα του συντάκτη @@ -139,3 +139,4 @@ ForeignKey=Ξένο κλειδί TypeOfFieldsHelp=Τύπος πεδίων:
varchar (99), διπλό (24,8), πραγματικό, κείμενο, html, datetime, timestamp, ακέραιος, ακέραιος: ClassName: relativepath / to / classfile.class.php [: 1 [: filter] προσθέτουμε ένα κουμπί + μετά το σύνθετο για να δημιουργήσουμε την εγγραφή, το 'φίλτρο' μπορεί να είναι 'status = 1 AND fk_user = __USER_ID ΚΑΙ η οντότητα IN (__SHARED_ENTITIES__)' για παράδειγμα) AsciiToHtmlConverter=Μεταροπέας από Ascii σε HTML AsciiToPdfConverter=Μεταροπέας από Ascii σε PDF +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/el_GR/mrp.lang b/htdocs/langs/el_GR/mrp.lang index ae94f1307d7..71ba5135b5c 100644 --- a/htdocs/langs/el_GR/mrp.lang +++ b/htdocs/langs/el_GR/mrp.lang @@ -24,9 +24,9 @@ WatermarkOnDraftMOs=Υδατογράφημα στο σχέδιο ΜΟ ConfirmCloneBillOfMaterials=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε το λογαριασμό υλικού %s; ConfirmCloneMo=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε την Παραγγελία Παραγωγής %s? ManufacturingEfficiency=Αποτελεσματικότητα κατασκευής -ConsumptionEfficiency=Consumption efficiency +ConsumptionEfficiency=Απόδοση κατανάλωσης ValueOfMeansLoss=Η τιμή 0,95 σημαίνει έναν μέσο όρο 5%% απώλειας κατά την παραγωγή -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ValueOfMeansLossForProductProduced=Η τιμή 0,95 σημαίνει κατά μέσο όρο απώλεια παραγόμενου προϊόντος 5%% DeleteBillOfMaterials=Διαγραφή λογαριασμού υλικών DeleteMo=Διαγραφή Παραγγελίας Παραγωγής ConfirmDeleteBillOfMaterials=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το νομοσχέδιο; @@ -56,11 +56,12 @@ ToConsume=Προς κατανάλωση ToProduce=Προς παραγωγή QtyAlreadyConsumed=Η ποσότητα καταναλώθηκε ήδη QtyAlreadyProduced=Η ποσότητα έχει ήδη παραχθεί +QtyRequiredIfNoLoss=Απαιτείται ποσότητα αν δεν υπάρχει απώλεια (Η απόδοση κατασκευής είναι 100%%) ConsumeOrProduce=Καταναλώστε ή παράγετε ConsumeAndProduceAll=Καταναλώστε και παράξτε όλα Manufactured=Κατασκευάστηκε TheProductXIsAlreadyTheProductToProduce=Το προϊόν που προστέθηκε είναι ήδη το προϊόν που παράγεται. -ForAQuantityOf1=Για μια ποσότητα παραγωγής 1 +ForAQuantityOf=Για ποσότητα παραγωγής %s ConfirmValidateMo=Είστε βέβαιοι ότι θέλετε να επαληθεύσετε αυτή τη παραγγελία κατασκευής; ConfirmProductionDesc=Κάνοντας κλικ στο '%s', θα επαληθεύσετε την κατανάλωση ή / και την παραγωγή για τις καθορισμένες ποσότητες. Αυτό θα ενημερώσει επίσης τις μεταβολές αποθεμάτων και θα καταγράψει τις κινήσεις αποθεμάτων. ProductionForRef=Παραγωγή του %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Ποσότητα προϊόντος ακόμα να πα AddNewConsumeLines=Προσθέστε νέα γραμμή για κατανάλωση ProductsToConsume=Προϊόντα προς κατανάλωση ProductsToProduce=Προϊόντα για παραγωγή +UnitCost=Κόστος μονάδας +TotalCost=Συνολικό κόστος +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 15ec472fef1..f5e3ecc7213 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -30,11 +30,11 @@ PreviousYearOfInvoice=Προηγούμενο έτος της ημερομηνί NextYearOfInvoice=Μετά το έτος της ημερομηνίας του τιμολογίου DateNextInvoiceBeforeGen=Ημερομηνία επόμενου τιμολογίου (πριν από την παραγωγή) DateNextInvoiceAfterGen=Ημερομηνία επόμενου τιμολογίου (μετά την παραγωγή) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. +GraphInBarsAreLimitedToNMeasures=Τα Grapics περιορίζονται σε μετρήσεις %s σε λειτουργία "Bars". Η λειτουργία «Γραμμές» επιλέχθηκε αυτόματα. OnlyOneFieldForXAxisIsPossible=Μόνο 1 πεδίο είναι επί του παρόντος δυνατός ως Άξονας Χ. Έχει επιλεγεί μόνο το πρώτο επιλεγμένο πεδίο. AtLeastOneMeasureIsRequired=Απαιτείται τουλάχιστον 1 πεδίο για μέτρηση AtLeastOneXAxisIsRequired=Απαιτείται τουλάχιστον 1 πεδίο για τον άξονα Χ -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Τελευταίες δημοσιεύσεις ιστολογίου Notify_ORDER_VALIDATE=Η εντολή πώλησης έχει επικυρωθεί Notify_ORDER_SENTBYMAIL=Η εντολή πωλήσεων αποστέλλεται μέσω ταχυδρομείου Notify_ORDER_SUPPLIER_SENTBYMAIL=Η εντολή αγοράς στάλθηκε μέσω ηλεκτρονικού ταχυδρομείου @@ -85,8 +85,8 @@ MaxSize=Μέγιστο μέγεθος AttachANewFile=Επισύναψη νέου αρχείου/εγγράφου LinkedObject=Συνδεδεμένα αντικείμενα NbOfActiveNotifications=Αριθμός ειδοποιήσεων (αριθμός μηνυμάτων ηλεκτρονικού ταχυδρομείου παραλήπτη) -PredefinedMailTest=__ (Hello) __ Πρόκειται για μια δοκιμαστική αλληλογραφία που αποστέλλεται στο __EMAIL__. Οι δύο γραμμές διαχωρίζονται με μια επιστροφή μεταφοράς. __USER_SIGNATURE__ -PredefinedMailTestHtml=__ (Hello) __ Πρόκειται για μια δοκιμαστική αλληλογραφία (η δοκιμή λέξεων πρέπει να είναι με έντονους χαρακτήρες).
Οι δύο γραμμές διαχωρίζονται με μια επιστροφή μεταφοράς.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__ (Γεια σας) __ __ (ειλικρινά) __ __USER_SIGNATURE__ PredefinedMailContentSendInvoice=__ (Γεια σας) __ Βρείτε τιμολόγιο __REF__ επισυνάπτεται __ONLINE_PAYMENT_TEXT_AND_URL__ __ (ειλικρινά) __ __USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__ (Γεια σας) __ Θα θέλαμε να σας υπενθυμίσουμε ότι το τιμολόγιο __REF__ φαίνεται να μην έχει πληρωθεί. Ένα αντίγραφο του τιμολογίου επισυνάπτεται ως υπενθύμιση. __ONLINE_PAYMENT_TEXT_AND_URL__ __ (ειλικρινά) __ __USER_SIGNATURE__ @@ -190,7 +190,7 @@ NumberOfSupplierProposals=Αριθμός προτάσεων πωλητών NumberOfSupplierOrders=Αριθμός εντολών αγοράς NumberOfSupplierInvoices=Αριθμός τιμολογίων προμηθευτή NumberOfContracts=Αριθμός συμβάσεων -NumberOfMos=Number of manufacturing orders +NumberOfMos=Αριθμός παραγγελιών κατασκευής NumberOfUnitsProposals=Αριθμός μονάδων για προτάσεις NumberOfUnitsCustomerOrders=Αριθμός μονάδων επί παραγγελιών πωλήσεων NumberOfUnitsCustomerInvoices=Αριθμός μονάδων σε τιμολόγια πελατών @@ -198,7 +198,7 @@ NumberOfUnitsSupplierProposals=Αριθμός μονάδων σε προτάσε NumberOfUnitsSupplierOrders=Αριθμός μονάδων στις εντολές αγοράς NumberOfUnitsSupplierInvoices=Αριθμός μονάδων σε τιμολόγια πωλητών NumberOfUnitsContracts=Αριθμός μονάδων στις συμβάσεις -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsMos=Αριθμός μονάδων προς παραγωγή σε παραγγελίες κατασκευής EMailTextInterventionAddedContact=Μια νέα παρέμβαση %s σας έχει εκχωρηθεί. EMailTextInterventionValidated=Η %s παρέμβαση έχει επικυρωθεί. EMailTextInvoiceValidated=Το τιμολόγιο %s έχει επικυρωθεί. @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=Σύνδεσμος URL της σελίδας WEBSITE_TITLE=Τίτλος WEBSITE_DESCRIPTION=Περιγραφή WEBSITE_IMAGE=Εικόνα -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Σχετική διαδρομή του μέσου εικόνας. Μπορείτε να το κρατήσετε κενό καθώς σπάνια χρησιμοποιείται (μπορεί να χρησιμοποιηθεί από δυναμικό περιεχόμενο για να εμφανιστεί μια μικρογραφία σε μια λίστα αναρτήσεων ιστολογίου). Χρησιμοποιήστε το __WEBSITE_KEY__ στη διαδρομή εάν η διαδρομή εξαρτάται από το όνομα του ιστότοπου (για παράδειγμα: image / __ WEBSITE_KEY __ / stories / myimage.png). WEBSITE_KEYWORDS=Λέξεις κλειδιά LinesToImport=Γραμμές για εισαγωγή MemoryUsage=Χρήση μνήμης RequestDuration=Διάρκεια αίτησης -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +PopuProp=Προϊόντα / Υπηρεσίες κατά δημοτικότητα στις Προτάσεις +PopuCom=Προϊόντα / Υπηρεσίες κατά δημοτικότητα στις παραγγελίες +ProductStatistics=Στατιστικά Προϊόντων / Υπηρεσιών +NbOfQtyInOrders=Ποσότητα σε παραγγελίες diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index 8aacaf0bf5a..dfe17650e02 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Αυτό το εργαλείο ενημερώνει τ MassBarcodeInit=Μαζική barcode init MassBarcodeInitDesc=Αυτή η σελίδα μπορεί να χρησιμοποιείται για να προετοιμάσει ένα barcode σε αντικείμενα που δεν έχουν barcode. Ελέγξτε πριν από την εγκατάσταση του module barcode αν έχει ολοκληρωθεί. ProductAccountancyBuyCode=Λογιστικός Κωδικός (Αγορά) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Λογιστικός κωδικός (αγορά εντός της κοινότητας) +ProductAccountancyBuyExportCode=Λογιστικός κωδικός (εισαγωγή αγοράς) ProductAccountancySellCode=Λογιστικός Κωδικός (Πώληση) ProductAccountancySellIntraCode=Κωδικός λογιστικής (ενδοκοινοτική πώληση) ProductAccountancySellExportCode=Λογιστικός κωδικός (εξαγωγή πώλησης) @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Υπηρεσίες προς πώληση μόνο ServicesOnPurchaseOnly=Υπηρεσίες μόνο για αγορά ServicesNotOnSell=Υπηρεσίες μη διαθέσιμες για αγορά ή πώληση ServicesOnSellAndOnBuy=Υπηρεσίες προς πώληση και για αγορά -LastModifiedProductsAndServices=%s τελευταία τροποποιημένα προϊόντα/υπηρεσίες +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=%s τελευταία εγγεγραμμένα προϊόντα LastRecordedServices=%s τελευταία εγγεγραμμένες υπηρεσίες CardProduct0=Προϊόν @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Σημείωση (μη ορατή σε τιμολόγια, ServiceLimitedDuration=Εάν το προϊόν είναι μια υπηρεσία με περιορισμένη διάρκεια: MultiPricesAbility=Πολλαπλά τμήματα τιμών ανά προϊόν / υπηρεσία (κάθε πελάτης βρίσκεται σε ένα τμήμα τιμών) MultiPricesNumPrices=Αριθμός τιμής +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Ενεργοποίηση εικονικών προϊόντων (κιτ) AssociatedProducts=Εικονικά προϊόντα AssociatedProductsNumber=Πλήθος προϊόντων που συνθέτουν αυτό το προϊόν @@ -167,7 +168,7 @@ SuppliersPrices=Τιμές πωλητών SuppliersPricesOfProductsOrServices=Τιμές πωλητών (προϊόντων ή υπηρεσιών) CustomCode=Τελωνείο / εμπορεύματα / κωδικός ΕΣ CountryOrigin=Χώρα προέλευσης -Nature=Nature of product (material/finished) +Nature=Φύση προϊόντος (υλικό / τελικό) ShortLabel=Σύντομη ετικέτα Unit=Μονάδα p=Μονάδα @@ -369,7 +370,7 @@ UsePercentageVariations=Χρησιμοποιήστε ποσοστιαίες πα PercentageVariation=Ποσοστιαία μεταβολή ErrorDeletingGeneratedProducts=Παρουσιάστηκε σφάλμα κατά την προσπάθεια διαγραφής των υπαρχουσών παραλλαγών προϊόντων NbOfDifferentValues=Αριθ. Διαφορετικών τιμών -NbProducts=Number of products +NbProducts=Αριθμός προϊόντων ParentProduct=Το γονικό προϊόν HideChildProducts=Απόκρυψη παραλλαγών προϊόντων ShowChildProducts=Εμφάνιση παραλλαγών προϊόντων @@ -382,4 +383,4 @@ ErrorProductCombinationNotFound=Παραλλαγή προϊόντος δεν β ActionAvailableOnVariantProductOnly=Δράση διαθέσιμη μόνο για την παραλλαγή του προϊόντος ProductsPricePerCustomer=Τιμές προϊόντων ανά πελάτη ProductSupplierExtraFields=Πρόσθετα χαρακτηριστικά (τιμές προμηθευτή) -DeleteLinkedProduct=Delete the child product linked to the combination +DeleteLinkedProduct=Διαγράψτε το θυγατρικό προϊόν που συνδέεται με τον συνδυασμό diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index d19eef671e6..3df4bfe881b 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Παιδί της αποστολής TaskHasChild=Η εργασία έχει παιδί NotOwnerOfProject=Δεν ιδιοκτήτης αυτού του ιδιωτικού έργου, AffectedTo=Κατανέμονται σε -CantRemoveProject=Το έργο αυτό δεν μπορεί να αφαιρεθεί, όπως αναφέρεται από κάποια άλλα αντικείμενα (τιμολόγιο, εντολές ή άλλες). Δείτε referers καρτέλα. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Επικύρωση projet ConfirmValidateProject=Είστε βέβαιοι ότι θέλετε να επικυρώσετε αυτό το έργο; CloseAProject=Κλείσιμο έργου @@ -265,3 +265,4 @@ NewInvoice=Νέο τιμολόγιο OneLinePerTask=Μια γραμμή ανά εργασία OneLinePerPeriod=Μία γραμμή ανά περίοδο RefTaskParent=Αναφ. Γονική εργασία +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/el_GR/receptions.lang b/htdocs/langs/el_GR/receptions.lang index c0840c3177f..5621f6ceba1 100644 --- a/htdocs/langs/el_GR/receptions.lang +++ b/htdocs/langs/el_GR/receptions.lang @@ -1,26 +1,26 @@ # Dolibarr language file - Source file is en_US - receptions -ReceptionsSetup=Product Reception setup -RefReception=Ref. reception +ReceptionsSetup=Ρύθμιση παραλαβής προϊόντος +RefReception=Αναφ. ρεσεψιόν Reception=Σε εξέλιξη -Receptions=Receptions -AllReceptions=All Receptions +Receptions=Δεξιώσεις +AllReceptions=Όλες οι Δεξιώσεις Reception=Σε εξέλιξη -Receptions=Receptions -ShowReception=Show Receptions -ReceptionsArea=Receptions area -ListOfReceptions=List of receptions -ReceptionMethod=Reception method -LastReceptions=Latest %s receptions -StatisticsOfReceptions=Statistics for receptions -NbOfReceptions=Number of receptions -NumberOfReceptionsByMonth=Number of receptions by month -ReceptionCard=Reception card -NewReception=New reception -CreateReception=Create reception -QtyInOtherReceptions=Qty in other receptions -OtherReceptionsForSameOrder=Other receptions for this order -ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order -ReceptionsToValidate=Receptions to validate +Receptions=Δεξιώσεις +ShowReception=Εμφάνιση παραλαβών +ReceptionsArea=Χώρος υποδοχής +ListOfReceptions=Λίστα δεξιώσεων +ReceptionMethod=Μέθοδος λήψης +LastReceptions=Τελευταίες υποδοχές %s +StatisticsOfReceptions=Στατιστικά στοιχεία για δεξιώσεις +NbOfReceptions=Αριθμός δεξιώσεων +NumberOfReceptionsByMonth=Αριθμός δεκτών ανά μήνα +ReceptionCard=Κάρτα υποδοχής +NewReception=Νέα υποδοχή +CreateReception=Δημιουργία υποδοχής +QtyInOtherReceptions=Ποσότητα σε άλλες δεξιώσεις +OtherReceptionsForSameOrder=Άλλες δεξιώσεις για αυτήν την παραγγελία +ReceptionsAndReceivingForSameOrder=Υποδοχές και αποδείξεις για αυτήν την παραγγελία +ReceptionsToValidate=Υποδοχές για επικύρωση StatusReceptionCanceled=Ακυρώθηκε StatusReceptionDraft=Πρόχειρο StatusReceptionValidated=Επικυρωμένη (προϊόντα για αποστολή ή που έχουν ήδη αποσταλεί) @@ -28,18 +28,20 @@ StatusReceptionProcessed=Επεξεργασμένα StatusReceptionDraftShort=Πρόχειρο StatusReceptionValidatedShort=Επικυρώθηκε StatusReceptionProcessedShort=Επεξεργασμένα -ReceptionSheet=Reception sheet -ConfirmDeleteReception=Are you sure you want to delete this reception? -ConfirmValidateReception=Are you sure you want to validate this reception with reference %s? -ConfirmCancelReception=Are you sure you want to cancel this reception? -StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known). -SendReceptionByEMail=Send reception by email -SendReceptionRef=Submission of reception %s -ActionsOnReception=Events on reception -ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the order card. -ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent -ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received -ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. -ReceptionsNumberingModules=Numbering module for receptions -ReceptionsReceiptModel=Document templates for receptions +ReceptionSheet=Φύλλο υποδοχής +ConfirmDeleteReception=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν τη λήψη; +ConfirmValidateReception=Είστε βέβαιοι ότι θέλετε να επικυρώσετε αυτήν τη λήψη με αναφορά %s ; +ConfirmCancelReception=Είστε βέβαιοι ότι θέλετε να ακυρώσετε αυτήν τη λήψη; +StatsOnReceptionsOnlyValidated=Οι στατιστικές που διεξάγονται σε δεξιότητες επικυρώνονται μόνο. Η ημερομηνία που χρησιμοποιείται είναι η ημερομηνία επικύρωσης της λήψης (δεν είναι πάντοτε γνωστή η ημερομηνία προγραμματισμένης παράδοσης). +SendReceptionByEMail=Στείλτε τη λήψη μέσω ηλεκτρονικού ταχυδρομείου +SendReceptionRef=Υποβολή της υποδοχής %s +ActionsOnReception=Εκδηλώσεις στη ρεσεψιόν +ReceptionCreationIsDoneFromOrder=Προς το παρόν, η δημιουργία μιας νέας υποδοχής γίνεται από την κάρτα παραγγελιών. +ReceptionLine=Γραμμή υποδοχής +ProductQtyInReceptionAlreadySent=Ποσότητα προϊόντος από ανοικτή εντολή πωλήσεων που έχει ήδη αποσταλεί +ProductQtyInSuppliersReceptionAlreadyRecevied=Ποσότητα προϊόντος από ανοικτή παραγγελία προμηθευτή που έχει ήδη παραληφθεί +ValidateOrderFirstBeforeReception=Θα πρέπει πρώτα να επικυρώσετε την παραγγελία πριν μπορέσετε να κάνετε δεξιώσεις. +ReceptionsNumberingModules=Μονάδα αρίθμησης για δεξιώσεις +ReceptionsReceiptModel=Πρότυπα εγγράφων για δεξιώσεις +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang index 2e766e5fc44..cb281fd67d7 100644 --- a/htdocs/langs/el_GR/stocks.lang +++ b/htdocs/langs/el_GR/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Αποθήκες αξία UserWarehouseAutoCreate=Δημιουργήστε αυτόματα μια αποθήκη χρήστη κατά τη δημιουργία ενός χρήστη AllowAddLimitStockByWarehouse=Διαχειριστείτε επίσης την τιμή για το ελάχιστο και το επιθυμητό απόθεμα ανά ζεύγος (αποθήκη προϊόντων) επιπλέον της τιμής για το ελάχιστο και το επιθυμητό απόθεμα ανά προϊόν +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Το απόθεμα προϊόντων και το απόθεμα υποπροϊόντων είναι ανεξάρτητα QtyDispatched=Ποσότητα αποστέλλονται QtyDispatchedShort=Απεσταλμένη ποσότητα @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Η αποθήκη %s να να χρησιμοπ WarehouseForStockIncrease=Η αποθήκη %s θα χρησιμοποιηθεί για την αύξηση των αποθεμάτων ForThisWarehouse=Για αυτή την αποθήκη ReplenishmentStatusDesc=Πρόκειται για μια λίστα με όλα τα προϊόντα με αποθέματα χαμηλότερα από τα επιθυμητά αποθέματα (ή χαμηλότερα από την τιμή προειδοποίησης αν έχει επιλεγεί το πλαίσιο ελέγχου "Μόνο προειδοποίηση"). Χρησιμοποιώντας το πλαίσιο ελέγχου, μπορείτε να δημιουργήσετε εντολές αγοράς για να γεμίσετε τη διαφορά. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Αυτή είναι μια λίστα όλων των ανοιχτών παραγγελιών αγοράς, συμπεριλαμβανομένων προκαθορισμένων προϊόντων. Μόνο ανοιχτές παραγγελίες με προκαθορισμένα προϊόντα, έτσι ώστε παραγγελίες που μπορεί να επηρεάσουν τα αποθέματα, είναι ορατές εδώ. Replenishments=Αναπληρώσεις NbOfProductBeforePeriod=Ποσότητα του προϊόντος %s σε απόθεμα πριν από την επιλεγμένη περίοδο (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Απογραφή για μια συγκεκριμ InventoryForASpecificProduct=Απογραφή για ένα συγκεκριμένο προϊόν StockIsRequiredToChooseWhichLotToUse=Απόθεμα είναι απαραίτητο για να επιλέξετε ποια παρτίδα πρέπει να χρησιμοποιήσετε ForceTo=Δύναμη σε +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/el_GR/ticket.lang b/htdocs/langs/el_GR/ticket.lang index 1bb36530889..7beaf684a88 100644 --- a/htdocs/langs/el_GR/ticket.lang +++ b/htdocs/langs/el_GR/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Μονάδα αρίθμησης εισιτηρίων TicketNotifyTiersAtCreation=Ειδοποιήστε τρίτο μέρος στη δημιουργία TicketGroup=Ομάδα TicketsDisableCustomerEmail=Πάντα να απενεργοποιείτε τα μηνύματα ηλεκτρονικού ταχυδρομείου όταν δημιουργείται ένα εισιτήριο από τη δημόσια διασύνδεση +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Εισιτήριο - σπίτι +TicketsIndex=Περιοχή εισιτηρίων TicketList=Λίστα εισιτηρίων TicketAssignedToMeInfos=Αυτή η σελίδα εμφανίζει τη λίστα εισιτηρίων που έχει δημιουργηθεί ή έχει εκχωρηθεί στον τρέχοντα χρήστη NoTicketsFound=Δεν βρέθηκε εισιτήριο diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang index 5f0d574f8f0..42817ad4bc9 100644 --- a/htdocs/langs/el_GR/website.lang +++ b/htdocs/langs/el_GR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Αρχείο ρομπότ (robots.txt) WEBSITE_HTACCESS=Ιστοσελίδα .htaccess WEBSITE_MANIFEST_JSON=Αρχείο manifest.json ιστότοπου WEBSITE_README=Αρχείο README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Εισάγετε εδώ μεταδεδομένα ή πληροφορίες άδειας χρήσης για να συμπληρώσετε ένα αρχείο README.md. εάν διανέμετε τον ιστότοπό σας ως πρότυπο, το αρχείο θα συμπεριληφθεί στο πακέτο πειρασμών. HtmlHeaderPage=Κεφαλίδα HTML (ειδικά για αυτή τη σελίδα) PageNameAliasHelp=Όνομα ή ψευδώνυμο της σελίδας.
Αυτό το ψευδώνυμο χρησιμοποιείται επίσης για τη δημιουργία μιας διεύθυνσης SEO όταν ο ιστότοπος έτρεξε από ένα Virtual host ενός διακομιστή Web (όπως Apacke, Nginx, ...). Χρησιμοποιήστε το κουμπί " %s " για να επεξεργαστείτε αυτό το ψευδώνυμο. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Η κατάσταση εκτέλεσης 'δυναμ GlobalCSSorJS=Παγκόσμιο αρχείο CSS / JS / Header της ιστοσελίδας BackToHomePage=Επιστροφή στην αρχική σελίδα... TranslationLinks=Μεταφραστικές συνδέσεις -YouTryToAccessToAFileThatIsNotAWebsitePage=Προσπαθείτε να έχετε πρόσβαση σε μια σελίδα που δεν είναι σελίδα ιστότοπου +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Για καλές πρακτικές SEO, χρησιμοποιήστε ένα κείμενο μεταξύ 5 και 70 χαρακτήρων MainLanguage=Κύρια γλώσσα OtherLanguages=Άλλες γλώσσες @@ -128,3 +129,6 @@ UseManifest=Καταχωρίστε ένα αρχείο manifest.json PublicAuthorAlias=Δημόσιο συντάκτης ψευδώνυμο AvailableLanguagesAreDefinedIntoWebsiteProperties=Οι διαθέσιμες γλώσσες ορίζονται σε ιδιότητες ιστότοπου ReplacementDoneInXPages=Η αντικατάσταση έγινε σε σελίδες ή κοντέινερ %s +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/el_GR/withdrawals.lang b/htdocs/langs/el_GR/withdrawals.lang index 79dd2bff9b9..471f3908e9c 100644 --- a/htdocs/langs/el_GR/withdrawals.lang +++ b/htdocs/langs/el_GR/withdrawals.lang @@ -1,32 +1,48 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area -StandingOrdersPayment=Direct debit payment orders +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer +StandingOrdersPayment=Παραγγελίες πληρωμής άμεσης χρέωσης StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order +NewStandingOrder=Νέα εντολή άμεσης χρέωσης +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Για την διαδικασία +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order -LastWithdrawalReceipts=Latest %s direct debit files -WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders +LastWithdrawalReceipts=Τελευταία αρχεία άμεσης χρέωσης %s +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line +WithdrawalsLines=Γραμμές εντολής άμεσης χρέωσης +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Δεν είναι ακόμη δυνατή. Ανακαλούν το καθεστώς πρέπει να ρυθμιστεί ώστε να «πιστωθεί» πριν δηλώσει απόρριψη στις συγκεκριμένες γραμμές. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -InvoiceWaitingWithdraw=Invoice waiting for direct debit +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order +NbOfInvoiceToWithdrawWithInfo=Αριθμός τιμολογίου πελάτη με εντολές πληρωμής άμεσης χρέωσης που έχουν καθορισμένες πληροφορίες τραπεζικού λογαριασμού +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer +InvoiceWaitingWithdraw=Τιμολόγιο αναμονής για άμεση χρέωση +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Ποσό για την απόσυρση -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -WithdrawRequestsDone=%s direct debit payment requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. +ResponsibleUser=Υπεύθυνος χρήστη +WithdrawalsSetup=Ρύθμιση πληρωμής άμεσης χρέωσης +CreditTransferSetup=Crebit transfer setup +WithdrawStatistics=Στατιστικά στοιχεία πληρωμής άμεσης χρέωσης +CreditTransferStatistics=Credit transfer statistics +Rejects=Απορρίψεις +LastWithdrawalReceipt=Τελευταίες εισπράξεις άμεσης χρέωσης %s +MakeWithdrawRequest=Πραγματοποιήστε αίτημα πληρωμής με άμεση χρέωση +WithdrawRequestsDone=%s καταγράφονται τα αιτήματα πληρωμής άμεσης χρέωσης +ThirdPartyBankCode=Τραπεζικός κωδικός τρίτου μέρους +NoInvoiceCouldBeWithdrawed=Κανένα τιμολόγιο δεν χρεώθηκε με επιτυχία. Βεβαιωθείτε ότι τα τιμολόγια είναι σε εταιρείες με έγκυρο αριθμό IBAN και ότι ο IBAN έχει UMR (Unique Mandate Reference) με τον τρόπο %s . ClassCredited=Ταξινομήστε πιστώνεται ClassCreditedConfirm=Είστε σίγουροι ότι θέλετε να χαρακτηρίσει την παραλαβή ως απόσυρση πιστώνεται στον τραπεζικό σας λογαριασμό; TransData=Η ημερομηνία αποστολής @@ -34,14 +50,16 @@ TransMetod=Μέθοδος αποστολής Send=Αποστολή Lines=Γραμμές StandingOrderReject=Εκδώσει απόρριψη +WithdrawsRefused=Η απόρριψη της άμεσης χρέωσης WithdrawalRefused=Απόσυρση απορρίφθηκε +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Είστε σίγουροι ότι θέλετε να εισάγετε μια απόρριψη αναμονής για την κοινωνία RefusedData=Ημερομηνία της απόρριψης RefusedReason=Λόγος απόρριψης RefusedInvoicing=Χρέωσης για την απόρριψη NoInvoiceRefused=Μην φορτίζετε την απόρριψη InvoiceRefused=Τιμολόγιο απορρίφθηκε (Φορτίστε την απόρριψη στον πελάτη) -StatusDebitCredit=Status debit/credit +StatusDebitCredit=Κατάσταση χρέωσης / πίστωσης StatusWaiting=Αναμονή StatusTrans=Απεσταλμένο StatusCredited=Πιστωθεί @@ -49,15 +67,17 @@ StatusRefused=Αρνήθηκε StatusMotif0=Απροσδιόριστο StatusMotif1=Ανεπαρκή κεφάλαια StatusMotif2=Αίτηση προσβαλλόμενη -StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order +StatusMotif3=Δεν υπάρχει εντολή πληρωμής άμεσης χρέωσης +StatusMotif4=Παραγγελία πώλησης StatusMotif5=RIB άχρηστα StatusMotif6=Λογαριασμός χωρίς ισορροπία StatusMotif7=Δικαστική απόφαση StatusMotif8=Άλλος λόγος -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file (all) +CreateForSepaFRST=Δημιουργία αρχείου άμεσης χρέωσης (SEPA FRST) +CreateForSepaRCUR=Δημιουργία αρχείου άμεσης χρέωσης (SEPA RCUR) +CreateAll=Δημιουργία αρχείου άμεσης χρέωσης (όλα) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Μόνο το γραφείο CreateBanque=Μόνο τράπεζα OrderWaiting=Αναμονή για θεραπεία @@ -66,54 +86,55 @@ NotifyCredit=Πιστωτικές Απόσυρση NumeroNationalEmetter=Εθνικό Αριθμός Transmitter WithBankUsingRIB=Για τους τραπεζικούς λογαριασμούς που χρησιμοποιούν RIB WithBankUsingBANBIC=Για τους τραπεζικούς λογαριασμούς που χρησιμοποιούν IBAN / BIC / SWIFT -BankToReceiveWithdraw=Receiving Bank Account +BankToReceiveWithdraw=Λήψη τραπεζικού λογαριασμού +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Πιστωτικές με WithdrawalFileNotCapable=Αδύνατο να δημιουργηθεί το αρχείο παραλαβή απόσυρση για τη χώρα σας %s (η χώρα σας δεν υποστηρίζεται) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. +ShowWithdraw=Εμφάνιση εντολής άμεσης χρέωσης +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Ωστόσο, εάν το τιμολόγιο έχει τουλάχιστον μία εντολή πληρωμής άμεσης χρέωσης που δεν έχει ακόμη υποβληθεί σε επεξεργασία, δεν θα οριστεί ως πληρωμή για να επιτραπεί η προηγούμενη διαχείριση ανάληψης. +DoStandingOrdersBeforePayments=Αυτή η καρτέλα σάς επιτρέπει να ζητήσετε εντολή πληρωμής άμεσης χρέωσης. Μόλις ολοκληρωθεί, μεταβείτε στο μενού Bank-> Direct Debit orders για να διαχειριστείτε την εντολή πληρωμής άμεσης χρέωσης. Όταν η εντολή πληρωμής είναι κλειστή, η πληρωμή στο τιμολόγιο θα καταγραφεί αυτόματα και το τιμολόγιο θα κλείσει εάν το υπόλοιπο που πληρώνεται είναι μηδενικό. WithdrawalFile=Απόσυρση αρχείο SetToStatusSent=Ρυθμίστε την κατάσταση "αποστολή αρχείου" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Στατιστικά στοιχεία από την κατάσταση των γραμμών -RUM=Unique Mandate Reference (UMR) -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * +RUM=UMR +DateRUM=Ημερομηνία υπογραφής εντολής +RUMLong=Μοναδική αναφορά εντολής +RUMWillBeGenerated=Αν είναι άδειο, θα δημιουργηθεί ένα UMR (Μοναδική αναφορά εντολής) μόλις αποθηκευτούν οι πληροφορίες του τραπεζικού λογαριασμού. +WithdrawMode=Λειτουργία άμεσης χρέωσης (FRST ή RECUR) +WithdrawRequestAmount=Ποσό αίτησης άμεσης χρέωσης: +WithdrawRequestErrorNilAmount=Δεν είναι δυνατή η δημιουργία αίτησης άμεσης χρέωσης για άδειο ποσό. +SepaMandate=Εντολή άμεσης χρέωσης SEPA +SepaMandateShort=Εντολή SEPA +PleaseReturnMandate=Παρακαλούμε επιστρέψτε αυτή τη φόρμα εντολής με email στο %s ή μέσω ταχυδρομείου στο +SEPALegalText=Υπογράφοντας αυτή τη φόρμα εντολής, εξουσιοδοτείτε (A) %s να στείλετε οδηγίες στην τράπεζά σας για να χρεώσετε το λογαριασμό σας και (Β) την τράπεζά σας για να χρεώσετε το λογαριασμό σας σύμφωνα με τις οδηγίες από %s. Ως μέρος των δικαιωμάτων σας, δικαιούστε επιστροφή χρημάτων από την τράπεζά σας σύμφωνα με τους όρους και τις προϋποθέσεις της συμφωνίας σας με την τράπεζά σας. Η επιστροφή χρημάτων πρέπει να ζητηθεί εντός 8 εβδομάδων από την ημερομηνία χρέωσης του λογαριασμού σας. Τα δικαιώματά σας σχετικά με την παραπάνω εντολή εξηγούνται σε μια δήλωση που μπορείτε να προμηθευτείτε από την τράπεζά σας. +CreditorIdentifier=Αναγνωριστικό πιστωτή +CreditorName=Όνομα πιστωτή +SEPAFillForm=(B) Παρακαλούμε συμπληρώστε όλα τα πεδία με την ένδειξη * SEPAFormYourName=Το όνομά σας -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +SEPAFormYourBAN=Το όνομα τραπεζικού λογαριασμού σας (IBAN) +SEPAFormYourBIC=Ο κωδικός αναγνώρισης τραπεζών (BIC) +SEPAFrstOrRecur=Είδος πληρωμής +ModeRECUR=Επαναλαμβανόμενη πληρωμή +ModeFRST=Εφάπαξ πληρωμή +PleaseCheckOne=Παρακαλώ επιλέξτε ένα μόνο +DirectDebitOrderCreated=Η εντολή άμεσης χρέωσης %s δημιουργήθηκε +AmountRequested=Ποσό που ζητήθηκε SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier CI -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date +ExecutionDate=Ημερομηνία εκτέλεσης +CreateForSepa=Δημιουργήστε αρχείο άμεσης χρέωσης +ICS=Αναγνωριστικό πιστωτή CI +END_TO_END="EndToEndId" Ετικέτα XML SEPA - Μοναδική ταυτότητα που αντιστοιχεί σε κάθε συναλλαγή +USTRD="Μη δομημένη" ετικέτα XML SEPA +ADDDAYS=Προσθήκη ημερών στην Ημερομηνία Εκτέλεσης ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

+InfoCreditSubject=Πληρωμή εντολής πληρωμής άμεσης χρέωσης %s από την τράπεζα +InfoCreditMessage=Η εντολή πληρωμής άμεσης χρέωσης %s έχει καταβληθεί από την τράπεζα
Στοιχεία πληρωμής: %s +InfoTransSubject=Διαβίβαση εντολής πληρωμής άμεσης χρέωσης %s στην τράπεζα +InfoTransMessage=Η εντολή πληρωμής άμεσης χρέωσης %s έχει σταλεί στην τράπεζα από %s %s.

InfoTransData=Ποσό: %s
Μέθοδος: %s
Ημερομηνία: %s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

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

--
%s +InfoRejectSubject=Η εντολή πληρωμής άμεσης χρέωσης απορρίφθηκε +InfoRejectMessage=Γεια σας,

η εντολή πληρωμής άμεσης χρέωσης του τιμολογίου %s σχετικά με την εταιρεία %s, με το ποσό %s απορρίφθηκε από την τράπεζα.

-
%s ModeWarning=Επιλογή για την πραγματική κατάσταση, δεν είχε καθοριστεί, σταματάμε μετά από αυτή την προσομοίωση diff --git a/htdocs/langs/en_AU/accountancy.lang b/htdocs/langs/en_AU/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/en_AU/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/en_AU/admin.lang b/htdocs/langs/en_AU/admin.lang index df7c865148f..679c841573c 100644 --- a/htdocs/langs/en_AU/admin.lang +++ b/htdocs/langs/en_AU/admin.lang @@ -1,8 +1,11 @@ # Dolibarr language file - Source file is en_US - admin +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. OldVATRates=Old GST rate NewVATRates=New GST rate +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. DictionaryVAT=GST Rates or Sales Tax Rates OptionVatMode=GST due LinkColor=Colour of links -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_AU/bills.lang b/htdocs/langs/en_AU/bills.lang index 840cd00451e..33a4c6e7faa 100644 --- a/htdocs/langs/en_AU/bills.lang +++ b/htdocs/langs/en_AU/bills.lang @@ -11,4 +11,3 @@ MenuCheques=Cheques NewChequeDeposit=New Cheque deposit Cheques=Cheques NbCheque=Number of cheques -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/en_AU/main.lang b/htdocs/langs/en_AU/main.lang index dac6a875c2d..f51ad592766 100644 --- a/htdocs/langs/en_AU/main.lang +++ b/htdocs/langs/en_AU/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %I:%M %p FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias ErrorNoVATRateDefinedForSellerCountry=Error, no GST rates defined for country '%s'. Quadri=Quarter PriceUTTC=U.P. (incl GST) diff --git a/htdocs/langs/en_AU/modulebuilder.lang b/htdocs/langs/en_AU/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/en_AU/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/en_AU/projects.lang b/htdocs/langs/en_AU/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/en_AU/projects.lang +++ b/htdocs/langs/en_AU/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/en_AU/website.lang b/htdocs/langs/en_AU/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/en_AU/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/en_CA/accountancy.lang b/htdocs/langs/en_CA/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/en_CA/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/en_CA/admin.lang b/htdocs/langs/en_CA/admin.lang index 993708b8fd5..b968ca03652 100644 --- a/htdocs/langs/en_CA/admin.lang +++ b/htdocs/langs/en_CA/admin.lang @@ -1,7 +1,10 @@ # Dolibarr language file - Source file is en_US - admin +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. LocalTax1Management=PST Management CompanyZip=Postal code LDAPFieldZip=Postal code FormatZip=Postal code -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_CA/main.lang b/htdocs/langs/en_CA/main.lang index 6d4ce6e30f2..7ce3e998978 100644 --- a/htdocs/langs/en_CA/main.lang +++ b/htdocs/langs/en_CA/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d.%m.%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias ErrorNoVATRateDefinedForSellerCountry=Error, no vat rate defined for country '%s'. AmountVAT=Amount GST AmountLT1=Amount PST diff --git a/htdocs/langs/en_CA/modulebuilder.lang b/htdocs/langs/en_CA/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/en_CA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/en_CA/projects.lang b/htdocs/langs/en_CA/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/en_CA/projects.lang +++ b/htdocs/langs/en_CA/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/en_CA/website.lang b/htdocs/langs/en_CA/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/en_CA/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/en_GB/accountancy.lang b/htdocs/langs/en_GB/accountancy.lang index c85327052ee..e87b321f445 100644 --- a/htdocs/langs/en_GB/accountancy.lang +++ b/htdocs/langs/en_GB/accountancy.lang @@ -15,8 +15,6 @@ MainAccountForUsersNotDefined=Main finance account for users not defined in setu MainAccountForVatPaymentNotDefined=Main finance account for VAT payment not defined in setup AccountancyAreaDescIntro=Usage of the accountancy module is done in several steps: AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting the correct default finance account when posting the journal (writing records in Journals and General ledger) -AccountancyAreaDescChartModel=STEP %s: Create a chart of accounts from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of accounts from menu %s AccountancyAreaDescVat=STEP %s: Define finance accounts for each VAT Rate. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default finance accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default finance accounts for payment of salaries. For this, use the menu entry %s. diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index ee36872cc67..908e76578ec 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -20,6 +20,7 @@ ImportPostgreSqlDesc=To import a backup file, you must use the pg_restore comman CommandsToDisableForeignKeysForImportWarning=This is mandatory if you want to restore your sql dumps later ModulesMarketPlaceDesc=You can find more modules to download from external websites on the Internet... ModulesMarketPlaces=Find external applications and modules +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is enabled InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
$dolibarr_main_db_pass="...";
with
$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
$dolibarr_main_db_pass="crypted:...";
with
$dolibarr_main_db_pass="%s"; @@ -41,11 +42,13 @@ UMaskExplanation=This parameter allows you to define permissions set by default ListOfDirectories=List of OpenDocument template directories ListOfDirectoriesForModelGenODT=List of directories containing template files in OpenDocument format.

Put here full path of directories.
Add a carriage return between each directory.
To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.

Files in those directories must end with .odt or .ods. FollowingSubstitutionKeysCanBeUsed=
To learn how to create your .odt document templates, before storing them in those directories, read wiki documentation: +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module50200Name=PayPal DictionaryAccountancyJournal=Finance journals CompanyZip=Postcode LDAPFieldZip=Postcode GenbarcodeLocation=Barcode generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
For example: /usr/local/bin/genbarcode FormatZip=Postcode -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_GB/bills.lang b/htdocs/langs/en_GB/bills.lang index aab486542a5..6017c065657 100644 --- a/htdocs/langs/en_GB/bills.lang +++ b/htdocs/langs/en_GB/bills.lang @@ -20,6 +20,5 @@ PrettyLittleSentence=Accept the amount of payments due by cheques issued in my n MenuCheques=Cheques Cheques=Cheques NbCheque=Number of cheques -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template MarsNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for deposit invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 CactusNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for deposit invoices where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/en_GB/main.lang b/htdocs/langs/en_GB/main.lang index 5617fe77778..b712cacaa69 100644 --- a/htdocs/langs/en_GB/main.lang +++ b/htdocs/langs/en_GB/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias ErrorNoVATRateDefinedForSellerCountry=Error, no VAT rates defined for country '%s'. NotAuthorized=You are not authorised to do that. BackgroundColorByDefault=Default background colour diff --git a/htdocs/langs/en_GB/modulebuilder.lang b/htdocs/langs/en_GB/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/en_GB/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/en_GB/projects.lang b/htdocs/langs/en_GB/projects.lang index f506b1a134e..d7d90a4212e 100644 --- a/htdocs/langs/en_GB/projects.lang +++ b/htdocs/langs/en_GB/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referrers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/en_GB/website.lang b/htdocs/langs/en_GB/website.lang index ef8e16da6ad..5c82a53cf1d 100644 --- a/htdocs/langs/en_GB/website.lang +++ b/htdocs/langs/en_GB/website.lang @@ -1,2 +1,4 @@ # 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. +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/en_GB/withdrawals.lang b/htdocs/langs/en_GB/withdrawals.lang index aaf36937580..883772754dd 100644 --- a/htdocs/langs/en_GB/withdrawals.lang +++ b/htdocs/langs/en_GB/withdrawals.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - withdrawals NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Payment status must be set to 'credited' before declaring reject on specific lines. AmountToWithdraw=Amount to pay -NoInvoiceToWithdraw=No customer invoice with open 'Direct Debit requests' is waiting. Go on tab '%s' on invoice card to make a request. MakeWithdrawRequest=Make a Direct Debit payment request ClassCreditedConfirm=Are you sure you want to classify this Payment receipt as credited on your bank account? WithdrawalRefused=Payment refused diff --git a/htdocs/langs/en_IN/accountancy.lang b/htdocs/langs/en_IN/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/en_IN/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/en_IN/admin.lang b/htdocs/langs/en_IN/admin.lang index 89d0c0fbdb8..6ae4d37c9d1 100644 --- a/htdocs/langs/en_IN/admin.lang +++ b/htdocs/langs/en_IN/admin.lang @@ -1,6 +1,8 @@ # Dolibarr language file - Source file is en_US - admin +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. Module20Name=Quotations Module20Desc=Management of quotations +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Permission21=Read quotations Permission22=Create/modify quotations Permission24=Validate quotations @@ -14,5 +16,6 @@ ProposalsPDFModules=Quotation documents models FreeLegalTextOnProposal=Free text on quotations WatermarkOnDraftProposal=Watermark on draft quotations (none if empty) MailToSendProposal=Customer quotations -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_IN/bills.lang b/htdocs/langs/en_IN/bills.lang index 28c917fc8f8..762ca939ebb 100644 --- a/htdocs/langs/en_IN/bills.lang +++ b/htdocs/langs/en_IN/bills.lang @@ -1,3 +1,2 @@ # Dolibarr language file - Source file is en_US - bills RelatedCommercialProposals=Related quotations -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/en_IN/main.lang b/htdocs/langs/en_IN/main.lang index 3a5f17eda48..15902ff1c4d 100644 --- a/htdocs/langs/en_IN/main.lang +++ b/htdocs/langs/en_IN/main.lang @@ -19,7 +19,8 @@ FormatDateHourShort=%d/%m/%Y %I:%M %p FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias CommercialProposalsShort=Quotations LinkToProposal=Link to quotation -SearchIntoCustomerProposals=Customer quotations +SearchIntoCustomerProposals=Quotations ContactDefault_propal=Quotation diff --git a/htdocs/langs/en_IN/modulebuilder.lang b/htdocs/langs/en_IN/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/en_IN/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/en_IN/projects.lang b/htdocs/langs/en_IN/projects.lang index bece63d2190..3d4fa6d6ad7 100644 --- a/htdocs/langs/en_IN/projects.lang +++ b/htdocs/langs/en_IN/projects.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - projects +ProjectsImContactFor=Projects for I am explicitly a contact OppStatusPROPO=Quotation diff --git a/htdocs/langs/en_IN/website.lang b/htdocs/langs/en_IN/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/en_IN/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/en_SG/accountancy.lang b/htdocs/langs/en_SG/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/en_SG/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/en_SG/admin.lang b/htdocs/langs/en_SG/admin.lang index ba0e9ccd3d4..03864da2fa4 100644 --- a/htdocs/langs/en_SG/admin.lang +++ b/htdocs/langs/en_SG/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. 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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_SG/companies.lang b/htdocs/langs/en_SG/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/en_SG/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/en_SG/main.lang b/htdocs/langs/en_SG/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/en_SG/main.lang +++ b/htdocs/langs/en_SG/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/en_SG/modulebuilder.lang b/htdocs/langs/en_SG/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/en_SG/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/en_SG/projects.lang b/htdocs/langs/en_SG/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/en_SG/projects.lang +++ b/htdocs/langs/en_SG/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/en_SG/website.lang b/htdocs/langs/en_SG/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/en_SG/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index bd43c885244..e6dc65db521 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -543,7 +543,7 @@ Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management Module56Name=Payment by credit transfer -Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +Module56Desc=Management of payment of suppliers by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial diff --git a/htdocs/langs/en_US/projects.lang b/htdocs/langs/en_US/projects.lang index 1a35eda4b9c..e61c86d2999 100644 --- a/htdocs/langs/en_US/projects.lang +++ b/htdocs/langs/en_US/projects.lang @@ -7,7 +7,7 @@ ProjectsArea=Projects Area ProjectStatus=Project status SharedProject=Everybody PrivateProject=Project contacts -ProjectsImContactFor=Projects for I am explicitly a contact +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 diff --git a/htdocs/langs/en_US/stocks.lang b/htdocs/langs/en_US/stocks.lang index 73e1433acc0..23bf89df4e1 100644 --- a/htdocs/langs/en_US/stocks.lang +++ b/htdocs/langs/en_US/stocks.lang @@ -61,8 +61,8 @@ WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders UserDefaultWarehouse=Set a warehouse on Users DefaultWarehouseActive=Default warehouse active MainDefaultWarehouse=Default warehouse -MainDefaultWarehouseUser=Use user warehouse asign default -MainDefaultWarehouseUserDesc=/!\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. +MainDefaultWarehouseUser=Use a default warehouse for each user +MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched diff --git a/htdocs/langs/en_US/website.lang b/htdocs/langs/en_US/website.lang index 88aa101836a..9f6c12677bb 100644 --- a/htdocs/langs/en_US/website.lang +++ b/htdocs/langs/en_US/website.lang @@ -58,7 +58,10 @@ NoPageYet=No pages yet YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template SyntaxHelp=Help on specific syntax tips YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
+#YouCanEditHtmlSource2=
To include a image shared publicaly, use the viewimage.php wrapper:
Example with a shared key 123456789, syntax is:
<img src="/viewimage.php?hashp=12345679012...">
+YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is:
<img src="/viewimage.php?hashp=12345679012...">
+YouCanEditHtmlSourceMore=
More examples of HTML or dynamic code available on the wiki documentation
. ClonePage=Clone page/container CloneSite=Clone site SiteAdded=Website added diff --git a/htdocs/langs/es_AR/accountancy.lang b/htdocs/langs/es_AR/accountancy.lang index 021d4098e74..840011bc481 100644 --- a/htdocs/langs/es_AR/accountancy.lang +++ b/htdocs/langs/es_AR/accountancy.lang @@ -17,5 +17,3 @@ Journaux=Diarios Contables JournalFinancial=Diarios Financieros AssignDedicatedAccountingAccount=Nueva cuenta para asignar InvoiceLabel=Etiqueta de la factura -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang index 46e7a7b46eb..e8fc84f2d09 100644 --- a/htdocs/langs/es_AR/admin.lang +++ b/htdocs/langs/es_AR/admin.lang @@ -72,7 +72,6 @@ NextValueForInvoices=Siguiente valor (facturas) NextValueForCreditNotes=Siguiente valor (notas de crédito) NextValueForDeposit=Siguiente valor (pago inicial) NextValueForReplacements=Siguiente valor (reemplazos) -MustBeLowerThanPHPLimit=Nota: su configuración PHP actualmente limita el tamaño máximo de archivo para subir a %s %s, independientemente del valor de este parámetro NoMaxSizeByPHPLimit=Nota: no hay límite establecido en su configuración de PHP MaxSizeForUploadedFiles=Tamaño máximo para archivos cargados (0 para no permitir ninguna carga) UseCaptchaCode=Use el código gráfico (CAPTCHA) en la página de inicio de sesión @@ -165,7 +164,6 @@ NotCompatible=Este modulo no parece ser compatible con su Dolibarr %s (Min %s - AchatTelechargement=Comprar / Descargar GoModuleSetupArea=Para implementar/instalar un nuevo módulo, vaya al área de configuración del Módulo: %s. DoliStoreDesc=DoliStore, la tienda oficial para adquirir módulos externos de Dolibarr ERP/CRM -DoliPartnersDesc=Lista de empresas que ofrecen módulos o características desarrollados a medida.
Nota: dado que Dolibarr es una aplicación de código abierto, cualquiera con experiencia en programación PHP puede desarrollar un módulo. WebSiteDesc=Sitios web externos para más módulos adicionales (no básicos)... DevelopYourModuleDesc=Algunas soluciones para desarrollar su propio módulo... RelativeURL=URL relativa @@ -262,8 +260,7 @@ ExampleOfDirectoriesForModelGen=Ejemplo de sintaxis:
c:\\mydir
/home/mydi String=Cuerda Module30Name=Facturas Module54Name=Contratos/suscripciones -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module80Name=Los envíos Module510Name=Sueldos Module4000Name=ARH @@ -616,6 +613,7 @@ RecordEvent=Grabar evento de correo electrónico CreateLeadAndThirdParty=Crear plomo (y tercero si es necesario) CodeLastResult=Último código de resultado ECMAutoTree=Mostrar arbol ECM automatico +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. ResourceSetup=Configuración del módulo de recursos UseSearchToSelectResource=Use un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). DisabledResourceLinkUser=Deshabilitar la función para vincular un recurso a los usuarios @@ -623,4 +621,5 @@ DisabledResourceLinkContact=Deshabilitar función para vincular un recurso a con ConfirmUnactivation=Confirmar el reinicio del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) DisableProspectCustomerType=Deshabilite el tipo de tercero "Prospect + Customer" (por lo tanto, el tercero debe ser Prospect o Customer pero no pueden ser ambos) +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_AR/banks.lang b/htdocs/langs/es_AR/banks.lang index b9ae63c8b2c..9f252aff5af 100644 --- a/htdocs/langs/es_AR/banks.lang +++ b/htdocs/langs/es_AR/banks.lang @@ -18,6 +18,8 @@ AllTime=Desde el inicio Reconciliation=Reconciliación RIB=Número de cuenta bancaria SwiftValid=BIC/swift válido +StandingOrders=Ordenes por débito automático +StandingOrder=Orden de Débito Automático AccountStatement=Estado de cuenta AccountStatementShort=Estado AccountStatements=Estado de cuentas diff --git a/htdocs/langs/es_AR/bills.lang b/htdocs/langs/es_AR/bills.lang index 829e6f47ce3..986251b025b 100644 --- a/htdocs/langs/es_AR/bills.lang +++ b/htdocs/langs/es_AR/bills.lang @@ -6,6 +6,8 @@ BillsCustomersUnpaid=Facturas impagas de cliente BillsCustomersUnpaidForCompany=Facturas impagas de cliente para %s BillsSuppliersUnpaid=Facturas impagas de proveedor BillsSuppliersUnpaidForCompany=Facturas impagas de proveedor para %s +BillsLate=Pagos fuera de término +BillsStatistics=Estadísticas de facturas de clientes InvoiceAvoir=Nota de crédito InvoiceCustomer=Factura de Cliente CustomerInvoice=Factura de Cliente @@ -22,8 +24,6 @@ BillShortStatusClosedUnpaid=Cerrado PaymentStatusToValidShort=Para confirmar BillFrom=De BillTo=A -StandingOrders=Ordenes por débito automático -StandingOrder=Orden de Débito Automático SupplierBillsToPay=Facturas impagas de proveedor CustomerBillsUnpaid=Facturas impaga de cliente CreditNote=Nota de crédito diff --git a/htdocs/langs/es_AR/companies.lang b/htdocs/langs/es_AR/companies.lang index 4c5dc7d6e1a..615e978d85a 100644 --- a/htdocs/langs/es_AR/companies.lang +++ b/htdocs/langs/es_AR/companies.lang @@ -17,7 +17,6 @@ ProspectionArea=Área de clientes IdThirdParty=ID Tercero IdCompany=ID Compañía IdContact=ID Contacto -Contacts=Contactos/Direcciones ThirdPartyContacts=Contactos del Tercero ThirdPartyContact=Cntactos/Direcciones del Tercero Company=Compañía @@ -169,6 +168,7 @@ CustomerAbsoluteDiscountMy=Descuentos absolutos para clientes (otorgados por ust SupplierAbsoluteDiscountAllUsers=Descuentos absolutos de proveedor (ingresados por todos los usuarios) SupplierAbsoluteDiscountMy=Descuentos absolutos de proveedor (ingresados por usted) DiscountNone=Ninguno +Contacts=Contactos/Direcciones ContactId=ID de Contacto NoContactDefinedForThirdParty=No hay contactos definido para este tercero NoContactDefined=Ningún contactos definidos @@ -251,7 +251,6 @@ ListSuppliersShort=Lista de proveedores ListProspectsShort=Lista de Clientes Potenciales ListCustomersShort=Lista de clientes ThirdPartiesArea=Terceros/Contactos -LastModifiedThirdParties=Últimos%s terceros modificados UniqueThirdParties=Total de terceros InActivity=Abierto ThirdPartyIsClosed=El tercero está cerrado. diff --git a/htdocs/langs/es_AR/hrm.lang b/htdocs/langs/es_AR/hrm.lang index d59d800d23a..118782c9edc 100644 --- a/htdocs/langs/es_AR/hrm.lang +++ b/htdocs/langs/es_AR/hrm.lang @@ -3,4 +3,3 @@ HRM_EMAIL_EXTERNAL_SERVICE=E-mail para evitar el servicio externo de gestión de ConfirmDeleteEstablishment=¿Está seguro que quiere eliminar este establecimiento? DictionaryPublicHolidays=Gestión de RRHH - Feriados DictionaryDepartment=Gestión de RRHH - Departamentos -DictionaryFunction=Gestión de RRHH - Funciones diff --git a/htdocs/langs/es_AR/languages.lang b/htdocs/langs/es_AR/languages.lang index e0d14830649..1b1218c2ccb 100644 --- a/htdocs/langs/es_AR/languages.lang +++ b/htdocs/langs/es_AR/languages.lang @@ -5,7 +5,6 @@ Language_ar_SA=Arabe Language_fi_FI=Finlandés Language_lv_LV=Letón Language_nl_BE=Holandés (Bélgica) -Language_nl_NL=Holandés Language_uk_UA=Ucraniano Language_uz_UZ=Uzbeko Language_zh_TW=Chino (tradicional) diff --git a/htdocs/langs/es_AR/main.lang b/htdocs/langs/es_AR/main.lang index ec90b66535b..7f068578411 100644 --- a/htdocs/langs/es_AR/main.lang +++ b/htdocs/langs/es_AR/main.lang @@ -22,7 +22,7 @@ FormatDateHourText=%B %d, %Y, %I:%M %p DatabaseConnection=Conexión de base de datos NoTemplateDefined=No hay plantilla para este tipo de email AvailableVariables=Variables disponibles de substitución -EmptySearchString=Ingresar una cadena de búsqueda no vacía +EmptySearchString=Enter non empty search criterias NoRecordFound=Sin registros NoRecordDeleted=Sin registros eliminados NotEnoughDataYet=Sin datos suficientes @@ -302,7 +302,6 @@ Opened=Abierto ClosedAll=Cerrado (todo) ByCompanies=Por terceros ByUsers=Por usuarios -Rejects=Rechazos NextStep=Próximo paso None=Ninguna Late=Tarde @@ -551,11 +550,12 @@ Select2Enter=Ingresar Select2MoreCharacter=o un carácter más Select2MoreCharactersMore= Buscar sintaxis:
| O (alb)
* Cualquier carácter (a*b)
^ Comenzar con (^ab)
$ Terminado con (ab$)
SearchIntoProjects=Projectos +SearchIntoMO=Ordenes de Fabricación SearchIntoCustomerInvoices=Facturas de clientes SearchIntoSupplierInvoices=Facturas de proveedores SearchIntoCustomerOrders=Ordenes de Venta SearchIntoSupplierOrders=Ordenes de compra -SearchIntoCustomerProposals=Propuestas de clientes +SearchIntoCustomerProposals=Propuesta comercial SearchIntoSupplierProposals=Propuestas de proveedores SearchIntoContracts=Los contratos SearchIntoExpenseReports=Reporte de gastos @@ -591,3 +591,6 @@ ContactDefault_propal=Propuesta ContactDefault_supplier_proposal=Propuesta de proveedor ContactAddedAutomatically=Contacto agregado desde roles de terceros CustomReports=Informes de clientes +SelectYourGraphOptionsFirst=Elija sus opciones de gráfico para construir un gráfico +XAxis=Eje-X +YAxis=Eje-Y diff --git a/htdocs/langs/es_AR/modulebuilder.lang b/htdocs/langs/es_AR/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_AR/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_AR/projects.lang b/htdocs/langs/es_AR/projects.lang index 4a193522103..f8ba130c702 100644 --- a/htdocs/langs/es_AR/projects.lang +++ b/htdocs/langs/es_AR/projects.lang @@ -4,5 +4,5 @@ ProjectId=ID de Proyecto ProjectLabel=Etiqueta de Proyecto ProjectsArea=Area de Proyectos SharedProject=Todos -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact OppStatusPROPO=Propuesta diff --git a/htdocs/langs/es_AR/ticket.lang b/htdocs/langs/es_AR/ticket.lang index 46c1ae5310a..20fc88f15a7 100644 --- a/htdocs/langs/es_AR/ticket.lang +++ b/htdocs/langs/es_AR/ticket.lang @@ -1,3 +1,7 @@ # Dolibarr language file - Source file is en_US - ticket +TicketTypeShortPROJET=Projecto +NotRead=Sin leer +Read=Leído +Waiting=Esperando Type=Tipo TicketSettings=Ajustes diff --git a/htdocs/langs/es_AR/website.lang b/htdocs/langs/es_AR/website.lang index ff1df53c2d8..95f28d388d5 100644 --- a/htdocs/langs/es_AR/website.lang +++ b/htdocs/langs/es_AR/website.lang @@ -1,3 +1,4 @@ # Dolibarr language file - Source file is en_US - website ReadPerm=Leído +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. WebsiteAccounts=Cuentas de sitio web diff --git a/htdocs/langs/es_AR/withdrawals.lang b/htdocs/langs/es_AR/withdrawals.lang index bea9b30e1da..b8fd3fa602c 100644 --- a/htdocs/langs/es_AR/withdrawals.lang +++ b/htdocs/langs/es_AR/withdrawals.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Area de órdenes de pago por débito automático -SuppliersStandingOrdersArea=Area de órdenes de pago por crédito automático StandingOrdersPayment=Ordenes de pago por débito automático StandingOrderPayment=Orden de pago por débito automático NewStandingOrder=Nueva orden por débito automático @@ -9,19 +7,14 @@ WithdrawalsReceipts=Ordenes por débito automático WithdrawalReceipt=Orden de Débito Automático LastWithdrawalReceipts=Ultimos %s archivos de débito automático WithdrawalsLines=Líneas de orden de débito automático -RequestStandingOrderToTreat=Solicitud para pago por débito automático para procesar -RequestStandingOrderTreated=Solicitud para pago por débito automático procesada NotPossibleForThisStatusOfWithdrawReceiptORLine=No se puede realizar. El estado de la extracción debe estar como 'acreditado' antes de declarar un rechazo en las líneas especificadas. -NbOfInvoiceToWithdraw=Cantidad de facturas que están a la espera de orden de débito automático NbOfInvoiceToWithdrawWithInfo=Cantidad de facturas de cliente con ordenes de pago por débito automático que tienen diferente información de cuenta bancaria definida InvoiceWaitingWithdraw=Facturas a la espera del débito automático AmountToWithdraw=Monto para extraer -WithdrawsRefused=Débito automático rechazado -NoInvoiceToWithdraw=No hay facturas de cliente a la espera de 'Solicitudes de débito automático". Vaya a la pestaña '%s' y luego a la ficha de la factura que desee para hacer una solicitud. ResponsibleUser=Usuario responsable WithdrawalsSetup=Configuración de pago por débito automático WithdrawStatistics=Estadísticas de pago por débito automático -WithdrawRejectStatistics=Estadísticas de rechazos en pago por débito automático +Rejects=Rechazos LastWithdrawalReceipt=Ultimos %s comprobantes de débito automático MakeWithdrawRequest=Crear una solicitud de pago por débito automático WithdrawRequestsDone=%s solicitudes registradas de pago por débito automático @@ -32,6 +25,7 @@ ClassCreditedConfirm=¿Estás seguro que quieres clasificar este comprobante de TransData=Fecha de transmisión TransMetod=Método de transmisión StandingOrderReject=Cargar un rechazo +WithdrawsRefused=Débito automático rechazado WithdrawalRefused=Extracción rechazada WithdrawalRefusedConfirm=¿Estás seguro que quieres ingresar un rechazo en la extracción para la empresa? RefusedData=Fecha de rechazo @@ -66,7 +60,6 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene al m DoStandingOrdersBeforePayments=Esta pestaña le permite solicitar una orden de pago por débito automático. Una vez realizada, vaya al menú Banco-> Ordenes de débito automático para administrar la orden. Cuando se cierra la orden de pago, se registrará automáticamente en la factura y quedará cerrada si queda saldada. WithdrawalFile=Archivo de extracción SetToStatusSent=Colocar estado como "Archivo enviado" -ThisWillAlsoAddPaymentOnInvoice=Esto también registrará los pagos a las facturas y las clasificará como "Pagadas" si la misma está saldada StatisticsByLineStatus=Estadísticas por estado de líneas RUMLong=Referencia única de mandato RUMWillBeGenerated=Si está vacío, se generará una RUM (referencia de mandato única) una vez que se guarde la información de la cuenta bancaria. diff --git a/htdocs/langs/es_BO/accountancy.lang b/htdocs/langs/es_BO/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_BO/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_BO/admin.lang b/htdocs/langs/es_BO/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_BO/admin.lang +++ b/htdocs/langs/es_BO/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_BO/companies.lang b/htdocs/langs/es_BO/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_BO/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_BO/main.lang b/htdocs/langs/es_BO/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/es_BO/main.lang +++ b/htdocs/langs/es_BO/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_BO/modulebuilder.lang b/htdocs/langs/es_BO/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_BO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_BO/projects.lang b/htdocs/langs/es_BO/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_BO/projects.lang +++ b/htdocs/langs/es_BO/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_BO/website.lang b/htdocs/langs/es_BO/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_BO/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang index 63c60479abe..82fd0408318 100644 --- a/htdocs/langs/es_CL/accountancy.lang +++ b/htdocs/langs/es_CL/accountancy.lang @@ -43,8 +43,6 @@ AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan u AccountancyAreaDescActionOnceBis=Deben seguirse los pasos para ahorrarle tiempo en el futuro al sugerirle la cuenta de contabilidad predeterminada correcta al hacer la publicación (registro de escritura en Revistas y Libro mayor) AccountancyAreaDescActionFreq=Las siguientes acciones generalmente se ejecutan cada mes, semana o día para empresas muy grandes ... AccountancyAreaDescJournalSetup=PASO %s: Cree o verifique el contenido de su lista de publicaciones desde el menú %s -AccountancyAreaDescChartModel=PASO %s: Cree un modelo de tabla de cuenta desde el menú %s -AccountancyAreaDescChart=PASO %s: Cree o verifique el contenido de su plan de cuentas desde el menú %s AccountancyAreaDescVat=PASO %s: Defina cuentas contables para cada tasa de IVA. Para esto, use la entrada del menú %s. AccountancyAreaDescDefault=PASO %s: Defina cuentas de contabilidad predeterminadas. Para esto, use la entrada del menú %s. AccountancyAreaDescExpenseReport=PASO %s: Defina las cuentas de contabilidad predeterminadas para cada tipo de informe de gastos. Para esto, use la entrada del menú %s. @@ -213,7 +211,6 @@ Modelcsv_quadratus=Exportar para Quadratus QuadraCompta Modelcsv_ebp=Exportación para EBP Modelcsv_cogilog=Exportación para Cogilog Modelcsv_agiris=Exportación para Agiris -Modelcsv_LDCompta=Exportar para LD Compta (v9 y superior) (Prueba) Modelcsv_openconcerto=Exportar para OpenConcerto (Prueba) Modelcsv_configurable=Exportar CSV Configurable Modelcsv_Sage50_Swiss=Exportación para Sage 50 Suiza diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index 91fa2cf60a0..d42c9ac64e6 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -70,7 +70,6 @@ NextValueForInvoices=Siguiente valor (facturas) NextValueForCreditNotes=Siguiente valor (notas de crédito) NextValueForDeposit=Siguiente valor (pago inicial) NextValueForReplacements=Siguiente valor (reemplazos) -MustBeLowerThanPHPLimit=Nota: su configuración de PHP actualmente limita el tamaño de archivo máximo para cargar %s %s, independientemente del valor de este parámetro NoMaxSizeByPHPLimit=Nota: no hay límite establecido en su configuración de PHP MaxSizeForUploadedFiles=Tamaño máximo para los archivos cargados (0 para no permitir ninguna carga) UseCaptchaCode=Use el código gráfico (CAPTCHA) en la página de inicio de sesión @@ -158,7 +157,6 @@ SeeInMarkerPlace=Ver en Market place AchatTelechargement=Compra / Descarga GoModuleSetupArea=Para implementar / instalar un nuevo módulo, vaya al área de configuración del módulo: %s . DoliStoreDesc=DoliStore, el mercado oficial para los módulos externos Dolibarr ERP / CRM -DoliPartnersDesc=Lista de empresas que ofrecen módulos o características desarrollados a medida.
Nota: dado que Dolibarr es una aplicación de código abierto, cualquier persona con experiencia en programación PHP puede desarrollar un módulo. WebSiteDesc=Sitios web externos para más módulos complementarios (no principales) ... BoxesAvailable=Widgets disponibles BoxesActivated=Widgets activados @@ -314,7 +312,6 @@ 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 de objeto o cualquier código PHP para obtener un valor computado dinámico. Puedes usar cualquier fórmula compatible con PHP incluyendo "?" operador de condición y siguiente objeto global: $ db, $ conf, $ langs, $ mysoc, $ usuario, $ objeto .
ADVERTENCIA : Solo algunas propiedades de $ object pueden estar disponibles. Si necesita una propiedad no cargada, solo busque el objeto en su fórmula como en el segundo ejemplo.
El uso de un campo computado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, la fórmula puede no devolver nada.

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

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

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto padre:
(($ reloadedobj = nueva tarea ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = new Project ($ db)) && ($ secondloadedobj-> fetch ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Proyecto principal no encontrado' Computedpersistent=Almacenar campo computado ExtrafieldParamHelpPassword=Si deja 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á solo el hash, no hay manera 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, valor1
2, valor2
código3, valor3
...

Para tener la lista dependiendo de otra lista de atributos complementarios:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Para tener la lista dependiendo de otra lista:
1, valor1 | parent_list_code : parent_key
2, valor2 | parent_list_code : parent_key @@ -332,7 +329,6 @@ LinkToTest=Enlace de clic generado para el usuario %s(haga clic KeepEmptyToUseDefault=Manténgalo 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 establecer su propia URL de clicktodial) -BarcodeInitForthird-parties=Inicio masivo de código de barras para terceros. BarcodeInitForProductsOrServices=Inicialización o reinicio masivo del código de barras para productos o servicios CurrentlyNWithoutBarCode=Actualmente, tiene %s registros en %s %s sin código de barras definido. InitEmptyBarCode=Valor inicial para los próximos %s registros vacíos @@ -397,7 +393,7 @@ Module51Desc=Gerencia de correo de papel en masa Module52Desc=Gestion de Stocks Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes). Module55Desc=Gestión del código de barras -Module56Desc=Integración de telefonía +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pagos de débito directo bancario Module57Desc=Gestión de órdenes de pago de débito directo. Incluye generación de archivo SEPA para países europeos. Module58Desc=Integración de un sistema ClickToDial (Asterisk, ...) @@ -1417,7 +1413,7 @@ LoadThirdPartyFromNameOrCreate=Cargar búsqueda de terceros en %s (crear si no s WithDolTrackingID=Dolibarr Referencia encontrada en el ID de Mensaje WithoutDolTrackingID=Dolibarr Referencia no encontrada ID de mensaje ECMAutoTree=Mostrar arbol ECM automatico -OperationParamDesc=Defina valores para usar para la acción, o cómo extraer valores. Por ejemplo:
objproperty1 = SET: abc
objproperty1 = SET: un valor con reemplazo de __objproperty1__
objproperty3 = SETIFEMPTY: abc
objproperty4 = EXTRACT: HEADER: X-Myheaderkey. * [^ \\ s] + (. *)
options_myextrafield = EXTRACT: SUBJECT: ([^ \\ s] *)
object.objproperty5 = EXTRACT: BODY: el nombre de mi empresa es \\ s ([^ \\ s] *)

Utilizar una ; Char como separador para extraer o configurar varias propiedades. +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. OpeningHoursDesc=Introduzca aquí el horario habitual de apertura de su empresa. ResourceSetup=Configuración del módulo de recursos UseSearchToSelectResource=Use un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). @@ -1438,6 +1434,7 @@ WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores más altos ral ModuleActivated=El módulo %s está activado y ralentiza la interfaz EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos. IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento en el correo electrónico entrante, el evento se vinculará automáticamente a los objetos relacionados. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=Punto final para %s: %s DeleteEmailCollector=Eliminar el colector de correo electrónico diff --git a/htdocs/langs/es_CL/banks.lang b/htdocs/langs/es_CL/banks.lang index 11697a0eaf9..2dc5f04f457 100644 --- a/htdocs/langs/es_CL/banks.lang +++ b/htdocs/langs/es_CL/banks.lang @@ -24,6 +24,8 @@ RIB=Número de cuenta bancaria SwiftValid=BIC / SWIFT válido SwiftVNotalid=BIC / SWIFT no válido IbanValid=BAN válida +StandingOrders=Órdenes de débito directo +StandingOrder=Orden de débito directo AccountStatement=Estado de cuenta AccountStatementShort=Declaración AccountStatements=Estados de cuenta diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index c3e43cf8438..f32781fb498 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -176,8 +176,6 @@ ExcessPaid=Exceso de pago EscompteOffered=Des. ofrecido: pago anticipado SendBillRef=Presentación de la factura %s SendReminderBillRef=Presentación de la factura %s (recordatorio) -StandingOrders=Órdenes de débito directo -StandingOrder=Orden de débito directo NoDraftBills=Sin borradores de facturas NoOtherDraftBills=No hay otros borradores de facturas NoDraftInvoices=Sin borradores de facturas @@ -376,7 +374,6 @@ NoteListOfYourUnpaidInvoices=Nota: Esta lista contiene solo facturas para tercer 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=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Factura PDF plantilla de esponja. Una plantilla de factura completa. PDFCrevetteDescription=Plantilla de factura en PDF Crevette. Una plantilla de factura completa para facturas de situación TerreNumRefModelDesc1=Número de devolución con formato %saaam-nnnn para facturas estándar y %saaam-nnnn para notas de crédito donde yy es año, mm es mes y nnnn es una secuencia sin interrupción y sin retorno a 0 diff --git a/htdocs/langs/es_CL/companies.lang b/htdocs/langs/es_CL/companies.lang index 7a0a843ef86..51017d9026b 100644 --- a/htdocs/langs/es_CL/companies.lang +++ b/htdocs/langs/es_CL/companies.lang @@ -18,7 +18,6 @@ ProspectionArea=Área de Prospección IdThirdParty=Id tercero IdCompany=ID de la compañía IdContact=ID de contacto -Contacts=Contactos/Direcciones ThirdPartyContacts=Contactos de terceros ThirdPartyContact=Contacto / dirección de terceros CompanyName=Nombre de empresa @@ -117,6 +116,7 @@ Vendor=Vendedor Supplier=Vendedor AddContactAddress=Crear contacto / dirección EditContactAddress=Editar contacto / dirección +Contacts=Contactos/Direcciones ContactId=ID de contacto NoContactDefinedForThirdParty=Sin contacto definido para este tercero NoContactDefined=Sin contacto definido diff --git a/htdocs/langs/es_CL/hrm.lang b/htdocs/langs/es_CL/hrm.lang index c7114548f10..32f70e14685 100644 --- a/htdocs/langs/es_CL/hrm.lang +++ b/htdocs/langs/es_CL/hrm.lang @@ -4,4 +4,3 @@ ConfirmDeleteEstablishment=¿Estás seguro de que deseas eliminar este estableci OpenEtablishment=Establecimiento abierto DictionaryPublicHolidays=Gestión de recursos humanos: días festivos DictionaryDepartment=RRHH - Lista de departamentos -DictionaryFunction=HHRR - Lista de funciones diff --git a/htdocs/langs/es_CL/install.lang b/htdocs/langs/es_CL/install.lang index f9a48684eac..038a4960f1b 100644 --- a/htdocs/langs/es_CL/install.lang +++ b/htdocs/langs/es_CL/install.lang @@ -180,4 +180,3 @@ MigrationFieldsSocialNetworks=Migración de campos de usuarios en redes sociales 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 características no funcionen correctamente hasta que se resuelvan los errores. YouTryInstallDisabledByDirLock=La aplicación intentó auto actualizarse, 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=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_CL/main.lang b/htdocs/langs/es_CL/main.lang index 08a5806e837..0c12ed62b34 100644 --- a/htdocs/langs/es_CL/main.lang +++ b/htdocs/langs/es_CL/main.lang @@ -22,6 +22,7 @@ FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Conexión a la base NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico AvailableVariables=Variables de sustitución disponibles +EmptySearchString=Enter non empty search criterias NoRecordFound=Ningún record fue encontrado NoRecordDeleted=No se eliminó ningún registro NoError=No hay error @@ -275,7 +276,6 @@ Size=tamaño Topic=Tema ByCompanies=Por terceros Link=Enlazar -Rejects=Rechaza Preview=Previsualizar NextStep=Próximo paso None=Ninguna @@ -505,11 +505,12 @@ Select2MoreCharacters=o más personajes Select2MoreCharactersMore= Sintaxis de búsqueda:
| OR (a|b)
* Cualquier carácter (a * b)
^ Comience con (^ ab)
$ finaliza con (ab $)
Select2LoadingMoreResults=Cargando más resultados ... Select2SearchInProgress=Búsqueda en progreso ... +SearchIntoMO=Ordenes de Fabricación SearchIntoCustomerInvoices=Facturas de cliente SearchIntoSupplierInvoices=Facturas del vendedor SearchIntoCustomerOrders=Ordenes de venta SearchIntoSupplierOrders=Ordenes de compra -SearchIntoCustomerProposals=Propuestas de clientes +SearchIntoCustomerProposals=Cotizaciones SearchIntoSupplierProposals=Cotizaciones de proveedor SearchIntoCustomerShipments=Envíos de clientes SearchIntoExpenseReports=Reporte de gastos diff --git a/htdocs/langs/es_CL/modulebuilder.lang b/htdocs/langs/es_CL/modulebuilder.lang index 47b125e00a7..b1a0f954a41 100644 --- a/htdocs/langs/es_CL/modulebuilder.lang +++ b/htdocs/langs/es_CL/modulebuilder.lang @@ -21,7 +21,6 @@ EnterNameOfObjectToDeleteDesc=Puede eliminar un objeto. ADVERTENCIA: ¡Se elimin BuildPackage=Paquete de compilación BuildPackageDesc=Puede generar un paquete zip de su aplicación para que esté listo para distribuirlo en cualquier Dolibarr. También puede distribuirlo o venderlo en un mercado como DoliStore.com . BuildDocumentation=Documentación de construcción -ModuleIsNotActive=Este módulo aún no está activado. Vaya a %s para hacerlo en vivo o haga clic aquí: ModuleIsLive=Este módulo ha sido activado. Cualquier cambio puede romper una característica actual en vivo. DescriptorFile=Archivo descriptivo del módulo ClassFile=Archivo para la clase DAO CRUD de PHP diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index 0d92dd33451..2ac9c40e6ed 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -63,8 +63,6 @@ MaxSize=Talla máxima AttachANewFile=Adjunte un nuevo archivo / documento LinkedObject=Objeto vinculado NbOfActiveNotifications=Número de notificaciones (número de correos electrónicos del destinatario) -PredefinedMailTest=__(Hola)__\nEste es un correo de prueba enviado a __EMAIL__.\nLas dos líneas están separadas por un retorno de carro.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hola)__\nEste es un correo de prueba (la palabra prueba debe estar en negrita).
Las dos líneas están separadas por un retorno de carro.

__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__ (Hola) __ Encuentre la factura __REF__ adjunta __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Atentamente) __ __USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__ (Hola) __ Nos gustaría recordarle que la factura __REF__ no parece haber sido pagada. Se adjunta una copia de la factura como recordatorio. __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Atentamente) __ __USER_SIGNATURE__ PredefinedMailContentSendProposal=__ (Hola) __ Encuentre la propuesta comercial __REF__ adjunta __ (Atentamente) __ __USER_SIGNATURE__ diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang index 68a62a9257c..240314a9d61 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -25,7 +25,6 @@ ServicesOnSaleOnly=Servicios solo para venta ServicesOnPurchaseOnly=Servicios solo para compra ServicesNotOnSell=Servicios no en venta y no en compra ServicesOnSellAndOnBuy=Servicios para venta y compra -LastModifiedProductsAndServices=Últimos productos / servicios %s modificados LastRecordedProducts=Últimos %s productos grabados LastRecordedServices=Últimos %s servicios grabados NotOnSell=No en venta diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index c6ee5dbe200..698cfb43975 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -75,7 +75,6 @@ ActivityOnProjectThisYear=Actividad en proyecto este año ChildOfProjectTask=Hijo del proyecto / tarea TaskHasChild=La tarea tiene un niño NotOwnerOfProject=No es dueño de este proyecto privado -CantRemoveProject=Este proyecto no puede eliminarse ya que otros objetos lo hacen referencia (factura, pedidos u otros). Ver la pestaña de referers. ConfirmValidateProject=¿Seguro que quieres validar este proyecto? ConfirmCloseAProject=¿Seguro que quieres cerrar este proyecto? AlsoCloseAProject=También cierre el proyecto (manténgalo abierto si todavía necesita seguir tareas de producción en él) diff --git a/htdocs/langs/es_CL/ticket.lang b/htdocs/langs/es_CL/ticket.lang index d781e28c00d..ee8c228d5fb 100644 --- a/htdocs/langs/es_CL/ticket.lang +++ b/htdocs/langs/es_CL/ticket.lang @@ -52,7 +52,6 @@ TicketsActivatePublicInterfaceHelp=La interfaz pública permite a los visitantes TicketsAutoAssignTicket=Asigna automáticamente al usuario que creó el ticket TicketNotifyTiersAtCreation=Notificar a un tercero en la creación TicketsDisableCustomerEmail=Deshabilite siempre los correos electrónicos cuando se crea un ticket desde la interfaz pública -TicketsIndex=Ticket - hogar TicketList=Lista de entradas TicketAssignedToMeInfos=Esta página muestra la lista de tickets creada por o asignada al usuario actual NoTicketsFound=No se encontró Ticket diff --git a/htdocs/langs/es_CL/website.lang b/htdocs/langs/es_CL/website.lang index e3da9a4f314..0990dd9c7b7 100644 --- a/htdocs/langs/es_CL/website.lang +++ b/htdocs/langs/es_CL/website.lang @@ -38,6 +38,7 @@ VirtualHostUrlNotDefined=La URL del servidor virtual servido por un servidor web NoPageYet=No hay páginas aún SyntaxHelp=Ayuda en consejos de sintaxis específicos YouCanEditHtmlSourceckeditor=Puede editar el código fuente HTML usando el botón "Fuente" en el editor. +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. ClonePage=Clonar página / contenedor SiteAdded=Sitio web añadido ConfirmClonePage=Ingrese el código / alias de la página nueva y si es una traducción de la página clonada. @@ -72,4 +73,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 -YouTryToAccessToAFileThatIsNotAWebsitePage=Usted intenta acceder a una página que no es una página web diff --git a/htdocs/langs/es_CL/withdrawals.lang b/htdocs/langs/es_CL/withdrawals.lang index 3d2ae093d19..f85281f7775 100644 --- a/htdocs/langs/es_CL/withdrawals.lang +++ b/htdocs/langs/es_CL/withdrawals.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Área de órdenes de pago de débito directo -SuppliersStandingOrdersArea=Área de órdenes de pago de crédito directo StandingOrdersPayment=Órdenes de pago de débito directo StandingOrderPayment=Orden de pago de débito directo NewStandingOrder=Nueva orden de débito directo @@ -9,19 +7,13 @@ WithdrawalsReceipts=Órdenes de débito directo WithdrawalReceipt=Orden de débito directo LastWithdrawalReceipts=Últimos archivos de débito directo %s WithdrawalsLines=Líneas de orden de débito directo -RequestStandingOrderToTreat=Solicitud de orden de pago de débito directo para procesar -RequestStandingOrderTreated=Solicitud de orden de pago de débito directo procesada NotPossibleForThisStatusOfWithdrawReceiptORLine=Aún no es posible El estado de retirada se debe establecer en 'acreditado' antes de declarar el rechazo en líneas específicas. -NbOfInvoiceToWithdraw=Nº de factura calificada con orden de domiciliación bancaria en espera. NbOfInvoiceToWithdrawWithInfo=Número de facturas de clientes con órdenes de pago de débito directo que tienen información de cuenta bancaria definida InvoiceWaitingWithdraw=Factura esperando débito directo AmountToWithdraw=Cantidad a retirar -WithdrawsRefused=Débito directo rechazado -NoInvoiceToWithdraw=No hay ninguna factura del cliente con 'Solicitudes de débito directo' abiertas esperando. Vaya a la pestaña '%s' en la tarjeta de factura para realizar una solicitud. ResponsibleUser=Usuario responsable WithdrawalsSetup=Configuración de pago de débito directo WithdrawStatistics=Estadísticas de pago con domiciliación bancaria -WithdrawRejectStatistics=Estadísticas de rechazo de pago de domiciliación bancaria LastWithdrawalReceipt=Últimos recibos de débito directo %s MakeWithdrawRequest=Hacer una solicitud de pago de débito directo WithdrawRequestsDone=%s solicitudes de pago de débito directo registradas @@ -32,6 +24,7 @@ ClassCreditedConfirm=¿Seguro que quieres clasificar este recibo de retiro como TransData=Fecha de transmisión TransMetod=Método de transmisión StandingOrderReject=Emitir un rechazo +WithdrawsRefused=Débito directo rechazado WithdrawalRefused=Retiro rechazado WithdrawalRefusedConfirm=¿Estás seguro de que deseas ingresar un rechazo de retiro para la sociedad? RefusedData=Fecha de rechazo @@ -70,7 +63,6 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene al m DoStandingOrdersBeforePayments=Esta pestaña le permite solicitar una orden de pago de débito directo. Una vez hecho esto, vaya al menú Bank-> Direct Debit orders para administrar la orden de pago de débito directo. Cuando se cierra la orden de pago, el pago en la factura se registrará automáticamente y la factura se cerrará si el resto para pagar es nulo. WithdrawalFile=Archivo de retiro SetToStatusSent=Establecer el estado "Archivo enviado" -ThisWillAlsoAddPaymentOnInvoice=Esto también registrará los pagos a las facturas y los clasificará como "Pagado" si queda para pagar es nulo. StatisticsByLineStatus=Estadísticas por estado de líneas RUMLong=Referencia única de mandatos RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia única de mandato) una vez que se guarde la información de la cuenta bancaria. diff --git a/htdocs/langs/es_CO/accountancy.lang b/htdocs/langs/es_CO/accountancy.lang index 7cd257d2edd..265a743bee3 100644 --- a/htdocs/langs/es_CO/accountancy.lang +++ b/htdocs/langs/es_CO/accountancy.lang @@ -40,8 +40,6 @@ AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan u 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: Cree un modelo de plan de cuenta desde el menú %s -AccountancyAreaDescChart=PASO %s: cree o verifique el contenido de su plan de cuentas desde el menú %s AccountancyAreaDescVat=PASO %s: Defina cuentas contables para cada tasa de IVA. Para 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. diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index 66f20ac1b65..a5f8654c027 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -145,7 +145,6 @@ DOLISTOREdescriptionLong=En lugar de activar el sitio web 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=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/main.lang b/htdocs/langs/es_CO/main.lang index ae50a789189..038f333d9ea 100644 --- a/htdocs/langs/es_CO/main.lang +++ b/htdocs/langs/es_CO/main.lang @@ -21,6 +21,7 @@ FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico. AvailableVariables=Variables de sustitución disponibles +EmptySearchString=Enter non empty search criterias NoRecordFound=No se encontraron registros NoRecordDeleted=Ningún registro eliminado Errors=Los errores @@ -233,7 +234,7 @@ Select2SearchInProgress=Búsqueda en progreso ... SearchIntoCustomerInvoices=Facturas de clientes SearchIntoSupplierInvoices=Facturas de proveedores SearchIntoSupplierOrders=Ordenes de compra -SearchIntoCustomerProposals=Propuestas de clientes +SearchIntoCustomerProposals=Cotizaciones SearchIntoSupplierProposals=Propuestas de proveedores SearchIntoContracts=Los contratos SearchIntoCustomerShipments=Envios de clientes diff --git a/htdocs/langs/es_CO/modulebuilder.lang b/htdocs/langs/es_CO/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_CO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_CO/other.lang b/htdocs/langs/es_CO/other.lang index 428db92d092..e239e7114b3 100644 --- a/htdocs/langs/es_CO/other.lang +++ b/htdocs/langs/es_CO/other.lang @@ -54,8 +54,6 @@ MaxSize=Talla máxima AttachANewFile=Adjuntar un nuevo archivo / documento LinkedObject=Objeto vinculado NbOfActiveNotifications=Número de notificaciones (número de correos electrónicos del destinatario) -PredefinedMailTest=__(Hola)__\nEste es un correo de prueba enviado a __EMAIL__.\nLas dos líneas están separadas por un retorno de carro.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hola)__\nEste es un correo de prueba (la palabra prueba debe estar en negrita).
Las dos líneas están separadas por un retorno de carro.

__USER_SIGNATURE__ PredefinedMailContentLink=Puede hacer clic en el enlace de abajo para realizar su pago si aún no lo ha hecho.\n\n%s\n\n DemoDesc=Dolibarr es un ERP / CRM compacto que soporta varios módulos de negocios. Una demostración que muestre todos los módulos no tiene sentido ya que este escenario nunca ocurre (varios cientos disponibles). Por lo tanto, varios perfiles de demostración están disponibles. ChooseYourDemoProfilMore=... o cree su propio perfil
(selección manual del módulo) diff --git a/htdocs/langs/es_CO/projects.lang b/htdocs/langs/es_CO/projects.lang index 680a7006fb5..d7440b2adeb 100644 --- a/htdocs/langs/es_CO/projects.lang +++ b/htdocs/langs/es_CO/projects.lang @@ -6,6 +6,7 @@ ProjectLabel=Etiqueta del proyecto ProjectsArea=Area de proyectos SharedProject=Todos PrivateProject=Contactos del proyecto +ProjectsImContactFor=Projects for I am explicitly a contact 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. @@ -71,7 +72,6 @@ ActivityOnProjectThisYear=Actividad en proyecto este año. ChildOfProjectTask=Hijo del proyecto / tarea TaskHasChild=Tarea tiene hijo NotOwnerOfProject=No propietario de este proyecto privado. -CantRemoveProject=Este proyecto no se puede eliminar, ya que se hace referencia a otros objetos (factura, pedidos u otros). Ver la pestaña de referers. ValidateProject=Validar projet ConfirmValidateProject=¿Seguro que quieres validar este proyecto? ConfirmCloseAProject=¿Seguro que quieres cerrar este proyecto? diff --git a/htdocs/langs/es_CO/website.lang b/htdocs/langs/es_CO/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_CO/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_DO/accountancy.lang b/htdocs/langs/es_DO/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_DO/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_DO/admin.lang b/htdocs/langs/es_DO/admin.lang index 3c5abab95b1..91cb958ef40 100644 --- a/htdocs/langs/es_DO/admin.lang +++ b/htdocs/langs/es_DO/admin.lang @@ -1,11 +1,13 @@ # Dolibarr language file - Source file is en_US - admin OldVATRates=Tasa de ITBIS antigua NewVATRates=Tasa de ITBIS nueva +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. 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) UnitPriceOfProduct=Precio unitario sin ITBIS de un producto OptionVatMode=Opción de carga de ITBIS -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_DO/companies.lang b/htdocs/langs/es_DO/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_DO/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_DO/main.lang b/htdocs/langs/es_DO/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/es_DO/main.lang +++ b/htdocs/langs/es_DO/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_DO/modulebuilder.lang b/htdocs/langs/es_DO/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_DO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_DO/projects.lang b/htdocs/langs/es_DO/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_DO/projects.lang +++ b/htdocs/langs/es_DO/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_DO/website.lang b/htdocs/langs/es_DO/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_DO/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_EC/accountancy.lang b/htdocs/langs/es_EC/accountancy.lang index 17040a8e488..38d192220d7 100644 --- a/htdocs/langs/es_EC/accountancy.lang +++ b/htdocs/langs/es_EC/accountancy.lang @@ -38,8 +38,6 @@ AccountancyAreaDescActionOnce=Las siguientes acciones normalmente se ejecutan un AccountancyAreaDescActionOnceBis=Los siguientes pasos deben hacerse para ahorrar tiempo en el futuro, sugiriendo que la cuenta de contabilidad predeterminada correcta al hacer la publicación (registro de escritura en revistas y libro mayor) AccountancyAreaDescActionFreq=Las siguientes acciones se ejecutan generalmente cada mes, semana o día para empresas muy grandes ... AccountancyAreaDescJournalSetup=PASO%s: Crea o comprueba el contenido de tu lista de diario desde el menú%s -AccountancyAreaDescChartModel=PASO%s: Cree un modelo de gráfico de cuenta desde el menú%s -AccountancyAreaDescChart=PASO%s: Crea o comprueba contenido de tu gráfico de cuenta desde el menú%s AccountancyAreaDescVat=PASO%s: Definir cuentas contables para cada tipo de IVA. Para ello, utilice la entrada de menú%s. AccountancyAreaDescDefault=PASO %s: Defina las cuentas contables predeterminadas. Para esto, usa la entrada del 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. @@ -87,7 +85,6 @@ InvoiceLinesDone=Líneas vinculadas de facturas ExpenseReportLines=Líneas de informes de gastos para enlazar ExpenseReportLinesDone=Líneas de informes de gastos vinculados IntoAccount=Vincular la línea con la cuenta de contabilidad -TotalForAccount=Total para cuenta contable Ventilate=Enlazar LineId=Línea de identificación EndProcessing=Proceso finalizado. @@ -120,14 +117,11 @@ TransitionalAccount=Cuenta de transferencia bancaria transitoria ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta de cuenta de espera ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Cuenta contable para registrar suscripciones ACCOUNTING_PRODUCT_BUY_ACCOUNT=Cuenta contable por defecto para los productos comprados (se usa si no se define en la hoja de productos) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los productos comprados en EEC (se usa si no se define en la hoja de productos) ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos comprados e importados fuera de la CEE (usado si no está definido en la hoja de productos) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Cuenta contable por defecto para los productos vendidos (utilizada si no se define en la hoja del producto) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Cuenta contable por defecto para los productos vendidos en la CEE (utilizada si no se define en la hoja de producto) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos vendidos y exportados fuera de la CEE (usado si no está definido en la hoja de producto) ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta contable por defecto para los servicios comprados (utilizado si no se define en la hoja de servicio) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los servicios comprados en EEC (utilizada si no está definida en la hoja de servicios) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios comprados e importados fuera de la CEE (se usa si no se define en la hoja de servicios) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Contabilidad por defecto para los servicios vendidos (utilizado si no se define en la hoja de servicio) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Cuenta contable por defecto para los servicios vendidos en la CEE (utilizada si no se define en la hoja de servicios) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios vendidos y exportados fuera de la CEE (usado si no está definido en la hoja de servicios) @@ -169,9 +163,6 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Cuenta de terceros no def 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 -ShowOpeningBalance=Mostrar saldo inicial -HideOpeningBalance=Ocultar saldo inicial -PcgtypeDesc=Los grupos de cuentas se utilizan como criterios predefinidos de "filtro" y "agrupación" para algunos informes contables. Por ejemplo, 'INGRESOS' o 'GASTOS' se utilizan como grupos para las cuentas contables de productos para construir el informe de gastos / ingresos. Reconcilable=Conciliable TotalVente=Volumen de negocios total antes de impuestos TotalMarge=Margen total de ventas @@ -228,7 +219,6 @@ Modelcsv_openconcerto=Exportar para OpenConcerto (prueba) Modelcsv_configurable=Exportar CSV Configurable Modelcsv_FEC=Exportar FEC Modelcsv_Sage50_Swiss=Exportación para Sage 50 Suiza -Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta ChartofaccountsId=ID de la cuenta de cuentas InitAccountancy=Contabilidad inicial InitAccountancyDesc=Esta página se puede utilizar para inicializar una cuenta de contabilidad en productos y servicios que no tiene definida una cuenta de contabilidad para ventas y compras. @@ -243,15 +233,11 @@ 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. -OptionModeProductBuyIntraDesc=Mostrar todos los productos con cuenta contable para compras en EEC. -OptionModeProductBuyExportDesc=Mostrar todos los productos con cuenta contable para otras compras en el extranjero. CleanFixHistory=Eliminar código de contabilidad de las líneas que no existen en los gráficos de cuenta CleanHistory=Restablecer todos los enlaces del año seleccionado PredefinedGroups=Grupos predefinidos WithValidAccount=Con una cuenta dedicada válida ValueNotIntoChartOfAccount=Este valor de la cuenta de contabilidad no existe en el gráfico de la cuenta -SaleEECWithVAT=Venta en CEE con un IVA no nulo, por lo que suponemos que esto NO es una venta intracomunitaria y la cuenta sugerida es la cuenta de producto estándar. -SaleEECWithoutVATNumber=Venta en CEE sin IVA pero el ID de IVA de un tercero no está definido. Recurrimos a la cuenta del producto para ventas estándar. Puede corregir el ID de IVA de un tercero o la cuenta del producto si es necesario. Range=Gama de cuentas contables SomeMandatoryStepsOfSetupWereNotDone=No se han realizado algunos pasos obligatorios de la configuración, por favor, complelos ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas de contabilidad disponible para el país%s (Consulte Inicio - Configuración - Diccionarios) diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index fc0330d6eaf..ed0ecb4394e 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -29,6 +29,7 @@ WebUserGroup=Usuario / grupo del servidor web NoSessionFound=Su configuración de PHP parece no permitir el listado de sesiones activas. El directorio utilizado para guardar sesiones (%s) puede estar protegido (por ejemplo, mediante permisos del sistema operativo o por la directiva PHP open_basedir). DBStoringCharset=Conjunto de caracteres de base de datos para almacenar datos DBSortingCharset=Conjunto de caracteres de base de datos para ordenar los datos +HostCharset=Conjunto de caracteres del host ClientSortingCharset=Intercalación de clientes WarningModuleNotActive=Módulo %s debe estar habilitado WarningOnlyPermissionOfActivatedModules=Solamente los permisos relacionados con los módulos activados se muestran aquí. Puede activar otros módulos desde: Inicio-> Configuración-> Página Módulos. @@ -46,10 +47,15 @@ ErrorModuleRequireDolibarrVersion=Error, este módulo requiere la versión Dolib ErrorDecimalLargerThanAreForbidden=Error, una precisión mayor que %s no es compatible. DictionarySetup=Configuración del diccionario ErrorReservedTypeSystemSystemAuto=El valor 'sistema' y 'sistemamauto' esta reservado. Se puede utilizar 'usuario' como valor para añadir su propio registro. +DisableJavascript=Deshabilitar las funciones de JavaScript y Ajax +DisableJavascriptNote=Nota: Para fines de prueba o depuración. Para la optimización para personas ciegas o navegadores de texto, puede preferir usar la configuración en el perfil del usuario UseSearchToSelectCompanyTooltip=Además, si tiene un gran número de clientes (> 100 000), puede aumentar la velocidad estableciendo COMPANY_DONOTSEARCH_ANYWHERE constante en 1 en: configuración-> Otros. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectContactTooltip=Además, si tiene una gran cantidad de clientes (> 100 000), puede aumentar la velocidad estableciendo constante CONTACT_DONOTSEARCH_ANYWHERE es 1 en: configuración-> Otros. 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 de combo 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: 1%s +NumberOfBytes=Número de bytes +SearchString=Cadena de búsqueda NotAvailableWhenAjaxDisabled=No disponible cuando Ajax está inhabilitado. AllowToSelectProjectFromOtherCompany=En el documento de un cliente, puede elegir un proyecto vinculado a otro cliente JavascriptDisabled=JavaScript desactivado @@ -64,12 +70,13 @@ NextValueForInvoices=Siguiente valor NextValueForCreditNotes=Siguiente valor NextValueForDeposit=Siguiente valor NextValueForReplacements=Siguiente valor (sustituciones) -MustBeLowerThanPHPLimit=Nota: la configuración de su PHP actualmente limita el tamaño máximo de archivo para subir a %s %s, independientemente del valor de este parámetro NoMaxSizeByPHPLimit=Nota: No hay límite en tu configuración de PHP MaxSizeForUploadedFiles=Tamaño máximo de los archivos cargados (0 para rechazar cualquier subida) UseCaptchaCode=Utilizar código gráfico (CAPTCHA) en la página de inicio de sesión AntiVirusCommand= Ruta completa al comando antivirus +AntiVirusCommandExample=Ejemplo para ClamAv Daemon (requiere clamav-daemon): /usr/bin/clamdscan
Ejemplo para ClamWin (muy muy lento): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Más parámetros de línea de comandos +AntiVirusParamExample=Ejemplo para ClamAv Daemon: --fdpass
Example para ClamWin: --database="C:\\Program Files(x86)\\ClamWin\\lib" ComptaSetup=Configuración del módulo de contabilidad UserSetup=Configuración de gestión de usuarios MultiCurrencySetup=Configuración de múltiples divisas @@ -99,12 +106,14 @@ PositionByDefault=Orden predeterminada MenusDesc=Los administradores de los menús y el contenido de las dos barras de menú (horizontal y vertical). MenusEditorDesc=El editor del menú le permite definir las entradas del menú personalizadas. Utilícelo para evitar la inestabilidad y las entradas del menú permanentemente inalcanzables.
Algunos módulos añadieron las entradas del menú (en el menú , todos los en su mayoría). Si elimina algunas de estas entradas por error, puede restaurar y desactivar 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. Purge=Purgar PurgeAreaDesc=Esta página le permite eliminar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos en el directorio %s). Usando esta característica normalmente no es necesario. Se proporciona como una solución para los usuarios cuyo Dolibarr está alojado por un proveedor que no ofrece permisos para eliminar archivos generados por el servidor web. PurgeDeleteLogFile=Eliminar archivo de registro %s definido para el módulo de Registro del Sistema (Syslog) (sin riesgo de perder datos) +PurgeDeleteTemporaryFiles=Elimine todos los archivos temporales (sin riesgo de perder datos). Nota: La eliminación se realiza solo si el directorio temporal se creó hace 24 horas. PurgeDeleteAllFilesInDocumentsDir=Eliminar todos los archivos en el directorio: %s.
Esto eliminará todos los documentos generados relacionados con los elementos (terceros, facturas, etc.), los archivos cargados en el módulo ECM, los volcados de respaldo de la base de datos y archivos temporales. PurgeRunNow=Purgar ahora PurgeNothingToDelete=Sin directorio o archivos que desea eliminar. @@ -127,6 +136,8 @@ FileNameToGenerate=Nombre de archivo para copia de seguridad: CommandsToDisableForeignKeysForImport=Comando para deshabilitar claves externas en la importación CommandsToDisableForeignKeysForImportWarning=Obligatorio si desea restaurar su copia de seguridad de SQL más tarde ExportCompatibility=Compatibilidad de archivo de exportación generados +ExportUseMySQLQuickParameter=Use el --parámetro rápido +ExportUseMySQLQuickParameterHelp=El '--parámetro rápido' ayuda a limitar el consumo de RAM para tablas grandes. MySqlExportParameters=Parámetros de la exportación de MySQL PostgreSqlExportParameters= Parámetros de exportación de PostgreSQL FullPathToMysqldumpCommand=Ruta completa al comando mysqldump @@ -144,6 +155,7 @@ FeatureDisabledInDemo=Función desactivada en demostración FeatureAvailableOnlyOnStable=Característica sólo está disponible en las versiones oficiales estables BoxesDesc=Los widgets son componentes que muestran información que puede agregar para personalizar algunas páginas. Puede elegir entre mostrar el widget o no seleccionando la página de destino y haciendo clic en 'Activar', o haciendo clic en la papelera para deshabilitarla. OnlyActiveElementsAreShown=Solo se muestran elementos de %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 utilizar esta herramienta para implementar un módulo externo. El módulo estará visible en la pestaña %s . ModulesMarketPlaces=Buscar aplicaciones / módulos externos ModulesDevelopYourModule=Desarrolle su propia aplicación / módulos @@ -156,8 +168,8 @@ SeeSetupOfModule=Consulte la 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 mercado oficial de módulos externos ERP / CRM de Dolibarr -DoliPartnersDesc=Lista de compañías que ofrecen módulos o características desarrollados a medida. Nota: ya que Dolibarr es una aplicación de código abierto, cualquiera con experiencia en programación PHP puede desarrollar un módulo. WebSiteDesc=Sitios web externos para más módulos complementarios (no principales) ... +RelativeURL=URL relativa BoxesAvailable=Widgets disponibles BoxesActivated=Widgets activados ActiveOn=Activado en @@ -190,6 +202,7 @@ Emails=Correos electrónicos EMailsSetup=Configuración de correo electrónico EMailsDesc=Esta página le permite anular sus parámetros de PHP predeterminados para el envío de correo electrónico. En la mayoría de los casos en Unix / Linux OS, la configuración de PHP es correcta y estos parámetros no son necesarios. EmailSenderProfiles=Perfiles de remitentes de correos electrónicos +EMailsSenderProfileDesc=Puedes 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) @@ -199,6 +212,7 @@ 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) @@ -322,7 +336,9 @@ ExtrafieldCheckBox=Casillas de verificación ExtrafieldCheckBoxFromList=Casillas de verificación de la tabla ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo calculado -ComputedFormulaDesc=Puede ingresar aquí una fórmula utilizando otras propiedades de objeto o cualquier código PHP para obtener un valor computado dinámico. Puedes usar cualquier fórmula compatible con PHP incluyendo "?" operador de condición y siguiente objeto global: $ db, $ conf, $ langs, $ mysoc, $ usuario, $ objeto .
ADVERTENCIA : Solo algunas propiedades de $ objeto puede estar disponible. Si necesita una propiedad no cargada, simplemente busque el objeto en su fórmula, como en el segundo ejemplo.
El uso de un campo computado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, la fórmula puede no devolver nada.

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

Ejemplo para volver a cargar el objeto
(($ reloadedobj = new Societe ($ db)) && ($ reloadedobj-> fetch ($ obj-> id? $ Obj-> id: ($ obj-> rowid? $ Obj-> rowid: $ object-> id))> 0))? $ reloadedobj-> array_options ['options_extrafieldkey'] * $ reloadedobj-> capital / 5: '-1'
Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($ reloadedobj = nueva tarea ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = new Project ($ db)) && ($ secondloadedobj-> fetch ($ reloadedobj-> fk_project )> 0))? $ secondloadedobj-> ref: 'Proyecto principal no encontrado' +ComputedFormulaDesc=Puede ingresar aquí una fórmula utilizando otras propiedades del objeto o cualquier codificación PHP para obtener un valor calculado dinámico. Puede usar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y 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, la fórmula puede no devolver nada.

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

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

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($reloadedobj = new Task($db)) && ($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 podría estar equivocado! 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 < br> ...

Para tener la lista dependiendo de otra lista de atributos complementarios:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

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

por ejemplo:
1, value1
2, value2
3, value3 < br> ... @@ -330,6 +346,7 @@ ExtrafieldParamHelpradio=La lista de valores debe ser líneas con clave de forma ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
Sintaxis: table_name: label_field: id_field :: filter
Ejemplo: c_typent: libelle: id :: filter

- idfilter es necesariamente una clave int primaria
- el filtro puede ser una prueba simple (por ejemplo, activo = 1) para mostrar solo el valor activo
También puede usar $ ID $ en el filtro, que es el ID actual del objeto actual. Para realizar una SELECCIÓN en el filtro, use $ SEL $
si desea filtrar en campos adicionales use la sintaxis extra.fieldcode = ... (donde el código de campo es el código de campo extra)

Para tener la lista dependiendo de otro atributo complementario de la lista: < br> c_typent: libelle: id: options_ parent_list_code | parent_column: filter

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

filter puede ser una prueba simple (por ejemplo, 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 SELECCIONAR en el filtro, use $ SEL $
si desea filtrar en campos adicionales. syntax extra.fieldcode = ... (donde código de campo es el código de campo extra)

Para tener la lista dependiendo 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 ExtrafieldParamHelplink=Los parámetros deben ser ObjectName: Classpath
Sintaxis: ObjectName: Classpath
Ejemplos:
Societe: societe / class / societe.class.php
Contacto: contact / class / contact.class.php +ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
Establezca esto en 1 para un separador de colapso (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 de colapso (colapsado de manera predeterminada 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 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 productos y servicios sin IVA (localtax se calcula sobre el monto sin impuestos)
2: el impuesto local se aplica a productos y servicios, incluido el IVA (localtax se calcula sobre el monto + impuesto principal )
3: el impuesto local se aplica a productos sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
4: el impuesto local se aplica a productos que incluyen el IVA (impuesto local se calcula sobre el monto + IVA principal)
5: local los impuestos se aplican a los servicios sin IVA (el impuesto local se calcula sobre la cantidad sin impuestos)
6: el impuesto local se aplica a los servicios que incluyen impuestos (el impuesto local se calcula sobre la cantidad + impuestos) LinkToTestClickToDial=Introduzca un número de teléfono para llamar, para mostrar un enlace y probar la URL de ClickToDial para el usuario %s @@ -337,7 +354,7 @@ RefreshPhoneLink=Actualizar enlace LinkToTest=hacer clic en el enlace generado para el usuario %s (haga clic en el número de teléfono para probar) KeepEmptyToUseDefault=Dejar en blanco para usar valor predeterminado ValueOverwrittenByUserSetup=Advertencia: este valor puede ser sobrescrito por la configuración específica del usuario (cada usuario puede establecer su propia URL de clicktodial) -BarcodeInitForthird-parties=Inicio masivo de código de barras para terceros. +BarcodeInitForThirdparties=Inicio masivo de código de barras para terceros. BarcodeInitForProductsOrServices=Inicio de código de barras masivo o restablecimiento de productos o servicios CurrentlyNWithoutBarCode=Actualmente, tiene %s registrado en %s %s sin código de barras definido. InitEmptyBarCode=init valor para el siguiente %s registro vacío @@ -354,6 +371,9 @@ EnableAndSetupModuleCron=Si desea que esta factura recurrente se genere automát ModuleCompanyCodeCustomerAquarium=%s seguido de un código de cliente para un código de contabilidad de cliente ModuleCompanyCodeSupplierAquarium=%s seguido de un código de proveedor para un código de contabilidad de proveedor ModuleCompanyCodePanicum=Devolver un código de contabilidad vacío. +ModuleCompanyCodeDigitaria=Devuelve un código de contabilidad compuesto de acuerdo con 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, las órdenes de compra deben ser creadas y aprobadas por dos usuarios diferentes (un paso / usuario para crear y un paso / usuario para aprobar.) Nota: si el usuario tiene permiso para crear y aprobar, un paso / usuario será suficiente). Puede dar con esta opción. 3 pasos: 1 = validación, 2 = primera aprobación y 3 = segunda aprobación si la cantidad es suficiente. ).

















. UseDoubleApproval=3 pasos cuando la cantidad es mayor que ... WarningPHPMail=ADVERTENCIA: a menudo es mejor configurar los correos electrónicos salientes para usar el servidor de correo electrónico de su proveedor en lugar de la configuración predeterminada. Algunos proveedores de correo electrónico (como Yahoo) no le permiten enviar un correo electrónico desde otro servidor que no sea su propio servidor. Su configuración actual utiliza el servidor de la aplicación para enviar correos electrónicos y no el servidor de su proveedor de correo electrónico, por lo que algunos destinatarios (el compatible con el protocolo DMARC restrictivo) le preguntarán a su proveedor de correo electrónico si pueden aceptar su correo electrónico y algunos proveedores de correo electrónico. (como Yahoo) puede responder "no" porque el servidor no es de ellos, por lo que pocos de sus correos electrónicos enviados no serán aceptados (tenga cuidado también de la cuota de envío de su proveedor de correo electrónico). Si su proveedor de correo electrónico (como Yahoo) tiene esta restricción, debe cambiar la configuración del correo electrónico para elegir el otro método "Servidor SMTP" e ingresar el servidor SMTP y las credenciales proporcionadas por su proveedor de correo electrónico. @@ -365,6 +385,7 @@ TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requiere conocim 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 configuran 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 el "personalizado / ", así que use la ruta como mymodule / mypage.php y no custom / mymodule / mypage.php.
Si desea un valor predeterminado solo si url tiene algún parámetro, puede usar %s PageUrlForDefaultValuesList=
Ejemplo:
Para la página que enumera a terceros, es %s .
Para la URL de los módulos externos instalados en el directorio personalizado, no incluya la "personalización /" por lo que use una ruta como mymodule / mypagelist.php y no custom / mymodule / mypagelist.php.
Si desea un valor predeterminado solo si url tiene algún parámetro, puede usar %s < / fuerte> +AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que la sobrescritura de los valores predeterminados para la creación de formularios funciona solo para páginas que se diseñaron correctamente (así que con el parámetro action=create or presend...) EnableDefaultValues=Habilitar la personalización de los valores por defecto. 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. @@ -373,16 +394,24 @@ ProductDocumentTemplates=Plantillas para generar documento de producto FreeLegalTextOnExpenseReports=Texto legal gratuito en los informes de gastos WatermarkOnDraftExpenseReports=Marca de agua en informes de gastos preliminares AttachMainDocByDefault=Configúrelo en 1 si desea adjuntar el documento principal al correo electrónico de forma predeterminada +DAV_ALLOW_PRIVATE_DIR=Habilite el directorio privado genérico (directorio dedicado WebDAV llamado "privado" - se requiere inicio de sesión) +DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio WebDAV al que cualquiera puede acceder con su inicio de sesión / pase de la aplicación. +DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado WebDAV llamado "público" - no se requiere inicio de 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; - es necesario iniciar sesión) DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde se cargan manualmente todos los archivos cuando se utiliza el módulo DMS / ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario / contraseña válido con permisos adecuados para acceder a ella. 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 de propuestas comerciales Module22Name=Correos masivos Module23Name=Energia Module23Desc=Monitoreo del consumo de energías +Module25Name=Ordenes de venta +Module25Desc=Gestión de pedidos de ventas Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito para clientes. Gestión de facturas y notas de crédito para proveedores. Module40Name=Vendedores / Proveedores @@ -391,15 +420,17 @@ Module49Desc=Administración del editor Module51Name=Correo Electrónico Masivos Module51Desc=Administración de correo electrónico masiva Module52Name=Dispuesto +Module52Desc=Gestion de Stocks Module54Name=Contratos / Suscripciones Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes). Module55Desc=Administración de código de barras -Module56Name=Telefonos -Module56Desc=Integración de teléfonos +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Pagos de débito directo bancario Module57Desc=Gestión de órdenes de pago de débito directo. Incluye la generación de archivo SEPA para países europeos. Module58Desc=Integración de un sistema ClickToDial (Asterisco, ...) Module59Desc=Añadir función para generar una cuenta Bookmark4u desde una cuenta de Dolibarr +Module60Name=Adhesivos +Module60Desc=Manejo de adhesivos Module70Desc=Administración de la intervención Module75Name=Gastos y notas de viaje Module75Desc=Administración de gastos y notas de viaje @@ -407,15 +438,19 @@ Module80Name=Envios Module85Name=Bancos y 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=Interfaz de Mailman o SPIP para el módulo miembro Module200Desc=Sincronización de directorios LDAP Module210Desc=Integración PostNuke Module240Name=Exportar datos +Module240Desc=Herramienta para exportar datos Dolibarr (con asistencia) Module250Name=Importar datos +Module250Desc=Herramienta para importar datos a Dolibarr (con asistencia) Module310Desc=Administración de miembros de la Fundación Module320Name=RSS Module320Desc=Añadir un feed 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 @@ -424,6 +459,7 @@ Module500Desc=Gestión de otros gastos (impuestos a la venta, impuestos sociales Module510Name=Sueldos Module510Desc=Registrar y rastrear los pagos de los empleados Module520Desc=Gestión de préstamos +Module600Name=Notificaciones sobre eventos de negocios Module600Desc=Enviar notificaciones por correo electrónico desencadenadas por un evento empresarial: 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 se produce un evento empresarial específico. Si está buscando una función para enviar recordatorios por correo electrónico para los eventos de la agenda, ingrese a la configuración del módulo Agenda. Module610Desc=Creación de variantes de producto (color, tamaño, etc.). @@ -467,6 +503,7 @@ Module50000Desc=Ofrecer a los clientes una página de pago en línea PayBox (tar 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 Dolibarr específico (factura, pedido, etc.) Module50300Name=Raya 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 Dolibarr específico (factura, pedido, etc.) +Module50400Name=Contabilidad (doble entrada) Module50400Desc=Gestión contable (entradas dobles, soporte general y auxiliares de contabilidad). Exportar el libro mayor en varios otros formatos de software de contabilidad. Module54000Desc=Impresión directa (sin abrir los documentos) utilizando la interfaz IPP de Cups (la impresora debe estar visible desde el servidor y CUPS debe estar instalada en el servidor). Module55000Name=Sondeo, encuesta o votación @@ -605,6 +642,7 @@ Permission401=Leer descuentos Permission402=Crear / modificar descuentos Permission403=Validar descuentos Permission404=Eliminar descuentos +Permission430=Usar barra de depuración Permission511=Leer pagos de salarios Permission512=Crear / modificar pagos de salarios. Permission514=Eliminar pagos de salarios. @@ -616,6 +654,9 @@ Permission527=Exportar préstamos Permission531=Leer servicios Permission532=Crear / modificar servicios Permission536=Ver / administrar servicios ocultos +Permission650=Leer listas de materiales +Permission651=Crear/Actualizar listas de materiales +Permission652=Eliminar listas de materiales Permission701=Leer donaciones Permission702=Crear / modificar donaciones Permission771=Leer informes de gastos @@ -629,6 +670,12 @@ Permission1001=Leer existencias Permission1002=Crear / modificar almacenes Permission1004=Leer movimientos de existencias Permission1005=Crear / modificar movimientos de existencias +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. @@ -649,6 +696,8 @@ Permission1236=Exportar facturas de proveedores, atributos y pagos. Permission1237=Órdenes de compra de exportación y sus detalles. Permission1251=Ejecutar importaciones masivas de datos externos en la base de datos (carga de datos) Permission1321=Exportar facturas, atributos y pagos de clientes. +Permission1421=Exportar pedidos de venta y atributos +Permission2401=Leer acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es el propietario del evento o si acaba de asignarle) Permission2411=Leer acciones. Permission2412=Crear / modificar las acciones. Permission2413=Borrar acciones (eventos o tareas) de otros @@ -658,12 +707,16 @@ Permission2502=Descargar documentos Permission2515=Configuración de los documentos Permission2801=Utilizar cliente FTP en modo de lectura (sólo navegar y descargar) Permission2802=Utilizar cliente FTP en modo de escritura (borrar o subir archivos) +Permission10001=Leer el contenido del sitio web +Permission10002=Crear/modificar contenido del sitio web (contenido html y javascript) +Permission10003=Crear/modificar contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. Permission20001=Lea las solicitudes de licencia (su licencia y las de sus subordinados) Permission20002=Cree / modifique sus solicitudes de licencia (su licencia y las de sus subordinados) Permission20003=Solicitudes de licencia / permiso Permission20004=Lea todas las solicitudes de permiso. Permission20005=Crear / modificar solicitudes de permiso para todos (incluso para usuarios no subordinados) Permission20006=Administrar solicitud de licencia / permiso +Permission20007=Aprobar solicitudes de licencia Permission23001=Leer trabajo programado Permission23002=Crear / actualizar trabajo programado Permission23003=Programa de trabajo @@ -671,29 +724,44 @@ Permission23004=Ejecutar trabajo programado Permission50101=Use el punto de venta Permission50201=Leer transacciones Permission50202=Importar transacciones +Permission50401=Vincula productos y facturas con cuentas contables +Permission50411=Leer operaciones en el libro mayor +Permission50412=Operaciones de escritura/edición 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=Informes de informes y exportaciones (facturación, saldo, diarios, libro mayor) +Permission50440=Administrar plan de cuentas, configuración de contabilidad +Permission51002=Crear/Actualizar activos Permission54001=Impresión Permission55002=Crear / modificar encuestas Permission59003=Leer todos los márgenes de usuario Permission63001=leer recursos Permission63002=Crear / modificar recursos Permission63004=Enlazar los recursos con los eventos de la agenda. +DictionaryCompanyType=Tipos de cliente/proveedor +DictionaryCompanyJuridicalType=Entidades legales de cliente/proveedor DictionaryProspectLevel=Potencial de prospecto DictionaryCanton=Estados / Provincias +DictionaryCivility=Títulos honoríficos DictionaryActions=Tipos de eventos de agenda DictionarySocialContributions=Tipos de impuestos sociales o fiscales. DictionaryVAT=Tarifas de IVA o impuestos de IVA DictionaryRevenueStamp=Cantidad de impuestos 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 DictionaryFees=Informe de gastos: tipos de líneas de informe de gastos 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=Diarios / libros de contabilidad DictionaryEMailTemplates=Plantillas de correo electrónico +DictionaryMeasuringUnits=Unidades de medida DictionaryProspectStatus=Estado del prospecto DictionaryHolidayTypes=Tipos de licencia DictionaryOpportunityStatus=Estado de plomo para proyecto / lider @@ -706,6 +774,7 @@ VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, e VATIsNotUsedDesc=Por defecto, el impuesto a las ventas propuesto es 0, que se puede utilizar para casos como asociaciones, individuos o pequeñas empresas. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real real o normal simplificado). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, significa asociaciones que no están declaradas sin impuestos de ventas o compañías, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (impuestos a las ventas en franquicia) y pagaron una franquicia Impuestos a las ventas sin ninguna declaración de impuestos a las ventas. Esta opción mostrará la referencia "Impuesto de ventas no aplicable - art-293B de CGI" en las facturas. +TypeOfSaleTaxes=Tipo de impuesto a las ventas LTRate=Tarifa LocalTax1IsNotUsed=No utilice el segundo impuesto LocalTax1IsUsedDesc=Use un segundo tipo de impuesto (que no sea el primero) @@ -725,10 +794,14 @@ LocalTax2IsUsedDescES=La tasa de IRPF por defecto al crear prospectos, facturas, LocalTax2IsNotUsedDescES=Por defecto, el IRPF ha propuesto 0. Fin de la regla. LocalTax2IsUsedExampleES=En España, freelancers y profesionales independientes que prestan servicios y empresas que han elegido el sistema tributario de módulos. LocalTax2IsNotUsedExampleES=En España son empresas no sujetas al régimen fiscal de los módulos. +RevenueStampDesc=El "sello fiscal" o "sello de ingresos" es un impuesto fijo que usted paga por factura (no depende del monto de la factura). También puede ser un porcentaje de impuestos, pero usar el segundo o tercer tipo de impuesto es mejor para los impuestos porcentuales, ya que los timbres fiscales no proporcionan ningún informe. Solo unos pocos países utilizan este tipo de impuesto. +UseRevenueStamp=Use un sello fiscal +UseRevenueStampExample=El valor del sello fiscal se define de manera 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 compras de impuestos locales y las compras de impuestos locales CalcLocaltax2Desc=Los informes de Impuestos locales son el total de 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 los impuestos (consulte %s - %s - %s), su país no necesita utilizar ese tipo de impuesto LabelUsedByDefault=Etiqueta que se utiliza por defecto si no se encuentra traducción para el código LabelOnDocuments=Etiqueta en los documentos LabelOrTranslationKey=Etiqueta o clave de traducción @@ -765,6 +838,9 @@ CompanyIds=Identidades de la empresa / organización CompanyZip=Código Postal CompanyTown=Ciudad CompanyCurrency=Moneda principal +IDCountry=ID del país +LogoSquarred=Logo (cuadriculado) +LogoSquarredDesc=Debe ser un icono cuadriculado (ancho = alto). Este logotipo se utilizará como el icono favorito u otra necesidad, como la barra de menú superior (si no está desactivado en la configuración de la pantalla). DoNotSuggestPaymentMode=No sugiera OwnerOfBankAccount=Dueño de una cuenta bancaria %s BankModuleNotActive=Módulo Cuentas bancarias no habilitado. @@ -780,7 +856,10 @@ Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Factura del cliente sin pagar Delays_MAIN_DELAY_MEMBERS=Cuota de membresía retrasada Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Depósito de cheques 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 (por ejemplo, para los países relacionados con el comportamiento predeterminado). +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 manejan parámetros opcionales. LogEvents=Eventos de auditoría de seguridad Audit=Auditoria @@ -792,6 +871,7 @@ ListOfSecurityEvents=Lista de eventos de seguridad Dolibarr LogEventDesc=Habilitar el registro para eventos de seguridad específicos. Los administradores realizan el registro a través del menú %s - %s . Advertencia, esta característica puede generar una gran cantidad de datos en la base de datos. AreaForAdminOnly=Los parámetros de configuración sólo pueden ser establecidos por usuarios de administrador . SystemInfoDesc=La información del sistema es la información técnica diversa que se obtiene en el modo de solo lectura y visible sólo para los administradores. +AccountantDesc=Si tiene un contador/contador externo, puede editar aquí su información. AvailableModules=Aplicaciones / módulos disponibles ToActivateModule=Para activar los módulos, vaya a área de configuración (Inicio-> Configuración-> Módulos). SessionTimeOut=Tiempo de espera para la sesión @@ -803,6 +883,7 @@ TriggerDisabledAsModuleDisabled=Los desencadenadores de este archivo están desh TriggerAlwaysActive=Los desencadenadores de este archivo están siempre activos, independientemente de los módulos Dolibarr activados. TriggerActiveAsModuleActive=Los desencadenadores de este archivo están activos cuando el módulo %s está habilitado. DictionaryDesc=Insertar todos los datos de referencia. Puede agregar sus valores al valor predeterminado. +ConstDesc=Esta página le permite editar (anular) parámetros que no están disponibles en otras páginas. Estos son parámetros reservados principalmente para desarrolladores/solución avanzada de problemas solamente. MiscellaneousDesc=Aquí se definen todos los demás parámetros relacionados con la seguridad. LimitsSetup=Límites / Precisión Configuración LimitsDesc=Puede definir los límites, precisiones y optimizaciones utilizadas por Dolibarr aquí @@ -817,6 +898,7 @@ NoEventOrNoAuditSetup=No se ha registrado ningún evento de seguridad. Esto es n NoEventFoundWithCriteria=No se ha encontrado ningún evento de seguridad para este criterio de búsqueda. SeeLocalSendMailSetup=Ver configuración de sendmail local BackupDesc=Una copia de seguridad completa de una instalación de Dolibarr requiere dos pasos. +BackupDesc2=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=Realice una copia de seguridad de la estructura y el contenido de su base de datos (%s) en un archivo de volcado. Para ello, puede utilizar el siguiente asistente. BackupDescX=El directorio archivado debe almacenarse en un lugar seguro. BackupDescY=El archivo de volcado generado se debe almacenar en un lugar seguro. @@ -855,6 +937,7 @@ ExtraFieldsSupplierOrders=Atributos complementarios (pedidos) ExtraFieldsSupplierInvoices=Atributos complementarios (facturas) ExtraFieldsProject=Atributos complementarios (proyectos) ExtraFieldsProjectTask=Atributos complementarios (tareas) +ExtraFieldsSalaries=Atributos complementarios (salarios) ExtraFieldHasWrongValue=Atributo %s tiene un valor incorrecto. AlphaNumOnlyLowerCharsAndNoSpace=Sólo caracteres alfanuméricos y minúsculas sin espacio SendmailOptionNotComplete=Advertencia, en algunos sistemas Linux, para enviar correo electrónico desde su correo electrónico, la configuración de la ejecución de correo electrónico debe incluir 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 PHP con mail.force_extra_parameters @@ -882,12 +965,15 @@ ConditionIsCurrently=Condición actual %s YouUseBestDriver=Utiliza el controlador %s, que es el mejor controlador actualmente disponible. YouDoNotUseBestDriver=Utiliza el controlador %s, pero se recomienda el controlador %s. SearchOptim=Optimización de la búsqueda +YouHaveXObjectUseSearchOptim=Tiene %s %s en la base de datos. Debe agregar la constante %s a 1 en Home-Setup-Other. 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 Home-Setup-Other. 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 utilizar Firefox, Chrome, Opera o Safari. AddRefInList=Mostrar cliente / vendedor ref. Lista de información (lista de selección o cuadro combinado) y la mayoría del hipervínculo.
Los terceros aparecerán con un formato de nombre de "CC12345 - SC45678 - The Big Company corp". en lugar de "The Big Company corp". AddAdressInList=Mostrar la lista de información de dirección del cliente / proveedor (seleccionar lista o cuadro combinado)
Aparecerán terceros con el formato de nombre "The Big Company corp. - 21 jump street 123456 Big town - USA" en lugar de "The Big Company corp". AskForPreferredShippingMethod=Pregunte por el método de envío preferido para terceros. FillThisOnlyIfRequired=Ejemplo: +2 (llenar sólo si se experimentan problemas de compensación de zona horaria) +NumberingModules=Modelos de numeración PasswordGenerationStandard=Devuelve una contraseña generada de acuerdo con el algoritmo interno de Dolibarr: 8 caracteres que contienen números de números y caracteres en minúsculas, compartidos. PasswordGenerationNone=No sugiera una contraseña generada. La contraseña debe escribirse manualmente. PasswordGenerationPerso=Una contraseña de acuerdo con su configuración personal definida previamente. @@ -918,6 +1004,7 @@ BillsPDFModules=Modelos de documentos de factura BillsPDFModulesAccordindToInvoiceType=La factura documenta los modelos según el tipo de factura. PaymentsPDFModules=Modelos de documentos de pago ForceInvoiceDate=Forzar la fecha de la factura a la fecha de validación +SuggestedPaymentModesIfNotDefinedInInvoice=Modo de pago sugerido en la factura por defecto si no está definido en la factura SuggestPaymentByRIBOnAccount=Sugerir pago por retiro en cuenta SuggestPaymentByChequeToAddress=Sugerir pago con cheque a FreeLegalTextOnInvoices=Texto libre en las facturas @@ -928,6 +1015,7 @@ SupplierPaymentSetup=Configuración de pagos de proveedores PropalSetup=Configuración del módulo de propuestas comerciales ProposalsNumberingModules=Modelos comerciales de numeración de propuestas. ProposalsPDFModules=Modelos de documentos de propuestas comerciales +SuggestedPaymentModesIfNotDefinedInProposal=Modo de pago sugerido en la propuesta por defecto si no está definido en la propuesta FreeLegalTextOnProposal=Texto libre sobre propuestas comerciales WatermarkOnDraftProposal=Marca de agua en proyectos de propuestas comerciales. BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Solicitar la cuenta bancaria en la propuesta @@ -939,6 +1027,8 @@ WatermarkOnDraftSupplierProposal=Marca de agua en los proveedores de ofertas de BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Solicitar la cuenta bancaria en la solicitud de precio WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pregunte por la fuente del almacén para el pedido BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Preguntar por el destinatario de la cuenta bancaria en la orden de compra +SuggestedPaymentModesIfNotDefinedInOrder=Modo de pago sugerido en orden de venta por defecto si no está definido en la orden +OrdersSetup=Configuración de gestión de pedidos de ventas OrdersNumberingModules=Modelos de numeración de pedidos WatermarkOnDraftOrders=Marca de agua en los proyectos de pedidos. ShippableOrderIconInList=Agregar un icono en la lista de pedidos que indican el pedido se puede enviar @@ -1053,6 +1143,9 @@ LDAPFieldCompanyExample=Ejemplo: o LDAPFieldSidExample=Ejemplo: objectid LDAPFieldEndLastSubscription=Fecha de finalización de la suscripción LDAPFieldTitleExample=Ejemplo: título +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 se ha proporcionado administrador ni contraseña. El acceso LDAP será anónimo y en modo de sólo lectura. LDAPDescContact=Esta página le permite definir el nombre de los atributos LDAP en el árbol LDAP para cada uno encontrado en los contactos de Dolibarr. @@ -1153,6 +1246,7 @@ FCKeditorForProductDetails=Creación / edición WYSIWIG de líneas de detalles d FCKeditorForMailing= WYSIWIG creación / edición para eMailings masivos (Herramientas-> eMailing) FCKeditorForUserSignature=WYSIWIG creación / edición de firma de usuario FCKeditorForMail=WYSIWIG Creación / edición para todo el correo (excepto Herramientas-> eMailing) +FCKeditorForTicket=Creación/edición de WYSIWIG para entradas StockSetup=Configuración del módulo de stock / inventario IfYouUsePointOfSaleCheckModule=Si utiliza 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 de POS están diseñados de forma predeterminada para crear una factura de inmediato y disminuir el stock, independientemente de las opciones aquí. Por lo tanto, si necesita o no una disminución de existencias al registrar una venta desde su POS, verifique también su POS NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada de menú superior @@ -1220,6 +1314,7 @@ CashDeskIdWareHouse=Forzar y restringir el almacén a utilizar para la disminuci 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 Serial / Lot management (actualmente activo), por lo que la disminución de stock está deshabilitada. 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. +CashDeskForceDecreaseStockDesc=Disminuya primero por las fechas más antiguas de comer y vender. BookmarkSetup=Configuración del módulo de marcadores 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 que se mostrarán en el menú de la izquierda @@ -1239,7 +1334,12 @@ BankOrderESDesc=Orden de exhibición en español ChequeReceiptsNumberingModule=Verifique el módulo de numeración de recibos MultiCompanySetup=Configuración del módulo de varias empresas SuppliersSetup=Configuración del módulo de proveedor +SuppliersCommandModel=Plantilla completa de orden de compra +SuppliersCommandModelMuscadet=Plantilla completa de la orden de compra (antigua implementación de la plantilla de cornas) +SuppliersInvoiceModel=Plantilla completa de factura de proveedor SuppliersInvoiceNumberingModel=Facturas de proveedores de numeración de modelos. +IfSetToYesDontForgetPermission=Si se establece en un valor no nulo, no olvide proporcionar permisos a grupos o usuarios permitidos para la segunda aprobación +PathToGeoIPMaxmindCountryDataFile=Ruta al archivo que contiene Maxmind ip a la traducción del país.
Ejemplos:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb NoteOnPathLocation=Tenga en cuenta que su IP es un archivo de datos de un país debe estar en un directorio que su PHP puede leer. YouCanDownloadFreeDatFileTo=Puede descargar una versión de demostración gratuita del archivo de país Maxmind GeoIP en %s. YouCanDownloadAdvancedDatFileTo=También puede descargar una versión más completa, con actualizaciones, del archivo de país Maxmind GeoIP en %s. @@ -1272,13 +1372,20 @@ ExpenseReportsSetup=Configuración del módulo Informes de gastos TemplatePDFExpenseReports=Plantillas para generar el documento de informe de gastos NoModueToManageStockIncrease=No se ha activado ningún módulo capaz de gestionar el aumento automático de existencias. El aumento de existencias se realiza sólo en la entrada manual. YouMayFindNotificationsFeaturesIntoModuleNotification=Puede encontrar opciones para notificaciones por correo electrónico habilitando y configurando el módulo "Notificación". +ListOfNotificationsPerUser=Lista de notificaciones automáticas por usuario* +ListOfNotificationsPerUserOrContact=Lista de posibles notificaciones automáticas (en eventos comerciales) disponibles por usuario* o por contacto** +ListOfFixedNotifications=Lista de notificaciones automáticas fijas GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para agregar o eliminar notificaciones para usuarios +GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un tercero para agregar o eliminar notificaciones de contactos/direcciones Threshold=Límite +BackupDumpWizard=Asistente para construir el archivo de volcado de la base de datos SomethingMakeInstallFromWebNotPossible=La instalación del módulo externo no es posible desde la interfaz web por el siguiente motivo: SomethingMakeInstallFromWebNotPossible2=Por esta razón, el proceso de actualización que se describe aquí es un proceso manual que solo puede realizar un usuario privilegiado. InstallModuleFromWebHasBeenDisabledByFile=La instalación del módulo externo de la aplicación ha sido deshabilitada por su administrador. Debe solicitarle que elimine el archivo %s para permitir esta característica. 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, debes configurar tu conf/conf.php para añadir las 2 líneas de directiva:$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt ='%s/custom'; HighlightLinesOnMouseHover=Resalte las líneas de la tabla cuando pase el mouse +HighlightLinesColor=Resalte el color de la línea cuando el mouse pase (use 'ffffff' para no resaltar) +HighlightLinesChecked=Color de resaltado 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 los enlaces PressF5AfterChangingThis=Presione CTRL + F5 en el teclado o la memoria del navegador después de cambiar este valor para tenerlo efectivo @@ -1292,6 +1399,7 @@ BackgroundTableLineEvenColor=Color de fondo para líneas de tabla pares MinimumNoticePeriod=Período mínimo de notificación NbAddedAutomatically=Número de días añadidos a los contadores de usuarios (automáticamente) cada mes EnterAnyCode=Este campo contiene una referencia para identificar la línea. Para ello, no hay caracteres especiales. +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 SellTaxRate=Tasa de venta @@ -1307,6 +1415,7 @@ ExpectedChecksum=Suma de control prevista CurrentChecksum=Suma de control actual ForcedConstants=Valores constantes requeridos MailToSendProposal=Propuestas de clientes +MailToSendOrder=Ordenes de venta MailToSendInvoice=Facturas de clientes MailToSendShipment=Envios MailToSendSupplierRequestForQuotation=Solicitud de presupuesto / cotización @@ -1320,6 +1429,7 @@ TitleExampleForMajorRelease=Ejemplo de mensaje que se puede usar para anunciar e TitleExampleForMaintenanceRelease=Ejemplo de mensaje que se puede utilizar para anunciar esta versión de mantenimiento. ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s está disponible. La versión es un lanzamiento importante con muchas nuevas características tanto para usuarios como para desarrolladores. Puede descargarse desde el área de descarga del portal https://www.dolibarr.org (subdirectorio Versiones estables). Puede leer %s ChartLoaded=Plan de cuenta cargado VATIsUsedIsOff=Nota: La opción de usar el impuesto sobre las ventas o el IVA se ha establecido en Desactivado en el menú %s - %s, por lo que el impuesto sobre las ventas o IVA utilizado 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 en los campos de texto. 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 los buzones de correo electrónico con regularidad (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. +MaxEmailCollectPerCollect=Número máximo de correos electrónicos recopilados por recopilación +ConfirmCloneEmailCollector=¿Está seguro de que desea clonar el recopilador de correo electrónico %s? +DateLastCollectResult=Fecha de último cobro probado +DateLastcollectResultOk=Fecha más reciente de cobrar exitosamente EmailCollectorConfirmCollectTitle=Correo electrónico recoger confirmación EmailCollectorConfirmCollect=¿Quieres ejecutar la colección para este coleccionista ahora? NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar +XEmailsDoneYActionsDone=%s correos electrónicos calificados, %s correos electrónicos procesados con éxito (para %s registro/acciones realizadas) RecordEvent=Grabar evento de correo electrónico CreateLeadAndThirdParty=Crear plomo (y tercero si es necesario) +CreateTicketAndThirdParty=Crear ticket (y un tercero si es necesario) CodeLastResult=Último código de resultado +NbOfEmailsInInbox=Número de correos electrónicos en el directorio de origen +LoadThirdPartyFromName=Cargue la búsqueda de terceros en %s (solo carga) +LoadThirdPartyFromNameOrCreate=Cargue la búsqueda de terceros en %s (crear si no se encuentra) ECMAutoTree=Mostrar arbol ECM automatico -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +OperationParamDesc=Defina los valores que se utilizarán para el objeto de la acción o cómo extraer valores. Por ejemplo:
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 como separador para extraer o establecer varias propiedades. +OpeningHoursDesc=Ingrese aquí los horarios regulares de su empresa. ResourceSetup=Configuración del módulo de recursos UseSearchToSelectResource=Use un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). DisabledResourceLinkUser=Deshabilitar la característica para vincular un recurso a los usuarios DisabledResourceLinkContact=Deshabilitar la característica para vincular un recurso a contactos +EnableResourceUsedInEventCheck=Habilite la función para verificar si un recurso está en uso en un evento ConfirmUnactivation=Confirmar restablecimiento del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) DisableProspectCustomerType=Deshabilite el tipo de tercero "Prospecto + Cliente" (por lo tanto, el tercero debe ser Prospecto o Cliente, pero no pueden ser ambos) -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Active esta opción si es una persona ciega o si usa la aplicación desde un navegador de texto como Lynx o Links. +ThisValueCanOverwrittenOnUserLevel=Cada usuario puede sobrescribir este valor desde su página de usuario - pestaña '%s' +DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación "Nuevo cliente" +ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función 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 muchas herramientas para simplificar la depuración +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 dramáticamente la salida +ModuleActivated=El módulo %s está activado y ralentiza la interfaz +EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos +ExportSetup=Configuración del módulo Exportar +InstanceUniqueID=ID único de la instancia +IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra una identificación de seguimiento en el correo electrónico entrante, el evento se vinculará automáticamente a los objetos relacionados. +WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si habilitó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar 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ó con éxito. Simplemente establezca un valor aquí para usar esta función. Tenga en cuenta que también debe usar una cuenta de inicio de sesión de lectura/escritura. +EmailCollectorLoadThirdPartyHelp=Puede usar esta acción para usar 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ámetros puede usar, por ejemplo, 'EXTRACT:BODY:Name:\\s([^\\s]*)' si desea extraer el nombre del cliente/proveedor de una cadena 'Nombre: nombre para encontrar' que se encuentra en el cuerpo. +EndPointFor=Punto final para %s: %s +DeleteEmailCollector=Eliminar recopilador de correo electrónico +ConfirmDeleteEmailCollector=¿Estás seguro de que deseas eliminar este recopilador de correo electrónico? +RecipientEmailsWillBeReplacedWithThisValue=Los correos electrónicos del destinatario siempre serán reemplazados por este valor +AtLeastOneDefaultBankAccountMandatory=Se debe definir al menos 1 cuenta bancaria predeterminada +RESTRICT_ON_IP=Permitir el acceso a alguna IP de host solamente (comodín no permitido, usar espacio entre valores). Vacío significa que todos los hosts pueden acceder. +MakeAnonymousPing=Realice un Ping anónimo '+1' al servidor de la base Dolibarr (hecho 1 vez solo después de la instalación) para permitir que la base cuente la cantidad de instalación de Dolibarr. +FeatureNotAvailableWithReceptionModule=Función no disponible cuando la recepción del módulo está habilitada +EmailTemplate=Plantilla para correo electrónico +JumpToBoxes=Vaya a Configuración -> Widgets diff --git a/htdocs/langs/es_EC/agenda.lang b/htdocs/langs/es_EC/agenda.lang index 12bf1ad38ff..0d763814ff8 100644 --- a/htdocs/langs/es_EC/agenda.lang +++ b/htdocs/langs/es_EC/agenda.lang @@ -67,6 +67,7 @@ PRODUCT_DELETEInDolibarr=Producto%s eliminado HOLIDAY_CREATEInDolibarr=Solicitud de licencia %s creada HOLIDAY_MODIFYInDolibarr=Solicitud de licencia %s modificada HOLIDAY_APPROVEInDolibarr=Solicitud de licencia %s aprobada +HOLIDAY_VALIDATEInDolibarr=Solicitud de licencia %s validada HOLIDAY_DELETEInDolibarr=Solicitud de licencia %s eliminada EXPENSE_REPORT_CREATEInDolibarr=Se ha creado el informe de gastos%s EXPENSE_REPORT_VALIDATEInDolibarr=Informe de gastos%s validado diff --git a/htdocs/langs/es_EC/banks.lang b/htdocs/langs/es_EC/banks.lang index 674db7869f0..e9526d449e9 100644 --- a/htdocs/langs/es_EC/banks.lang +++ b/htdocs/langs/es_EC/banks.lang @@ -16,6 +16,8 @@ FutureBalance=Saldo futuro ShowAllTimeBalance=Mostrar saldo desde el inicio AllTime=Desde el principio RIB=Número de cuenta bancaria +StandingOrders=Pedidos de domiciliación bancaria +StandingOrder=Orden de dèbito directo AccountStatement=Estado de cuenta AccountStatementShort=Estado AccountStatements=Estados de cuenta diff --git a/htdocs/langs/es_EC/bills.lang b/htdocs/langs/es_EC/bills.lang index de506df2649..9c56198744f 100644 --- a/htdocs/langs/es_EC/bills.lang +++ b/htdocs/langs/es_EC/bills.lang @@ -168,10 +168,8 @@ AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) AmountOfBillsByMonthHT=Importe de las facturas por mes (neto de impuestos) UseSituationInvoicesCreditNote=Permitir situación factura nota de crédito -AllowedInvoiceForRetainedWarranty=Garantía retenida utilizable en los siguientes tipos de facturas RetainedwarrantyDefaultPercent=Garantía retenida por ciento por defecto RetainedwarrantyOnlyForSituation=Haga que la "garantía retenida" esté disponible solo para facturas situacionales -RetainedwarrantyOnlyForSituationFinal=En las facturas de situación, la deducción global de "garantía retenida" se aplica solo en la situación final setPaymentConditionsShortRetainedWarranty=Establecer condiciones de pago de garantía retenidas setretainedwarranty=Establecer garantía retenida setretainedwarrantyDateLimit=Establecer límite de fecha de garantía retenida @@ -187,8 +185,6 @@ ExcessPaid=Exceso de pago EscompteOffered=Descuento ofrecido (pago antes del plazo) SendBillRef=Presentación de la factura%s SendReminderBillRef=Presentación de la factura%s (recordatorio) -StandingOrders=Pedidos de domiciliación bancaria -StandingOrder=Orden de dèbito directo NoDraftBills=Ningún proyecto de facturas NoOtherDraftBills=Ningún otro proyecto de facturas NoDraftInvoices=Ningún proyecto de facturas @@ -385,7 +381,6 @@ ToMakePayment=Paga ToMakePaymentBack=Pagar ListOfYourUnpaidInvoices=Lista de facturas impagadas NoteListOfYourUnpaidInvoices=Nota: Esta lista sólo contiene facturas para terceros a los que está vinculado como representante de ventas. -RevenueStamp=Sello fiscal 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 terceros YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y convertirla en "plantilla" para crear una nueva plantilla de factura @@ -438,4 +433,3 @@ AutoFillDateFromShort=Establecer fecha de inicio AutoFillDateToShort=Establecer fecha de finalización MaxNumberOfGenerationReached=Número máximo de generación alcanzado BILL_DELETEInDolibarr=Se eliminó la factura -BILL_SUPPLIER_DELETEInDolibarr=Factura de proveedor eliminada diff --git a/htdocs/langs/es_EC/cashdesk.lang b/htdocs/langs/es_EC/cashdesk.lang index 689ad03abb7..dab40285124 100644 --- a/htdocs/langs/es_EC/cashdesk.lang +++ b/htdocs/langs/es_EC/cashdesk.lang @@ -11,7 +11,6 @@ ShoppingCart=Carrito de compras RestartSelling=Volver a vender SellFinished=Venta completa PrintTicket=Imprimir ticket -SendTicket=Enviar ticket NoProductFound=No se encontró ningún artículo NoArticle=Sin artículo TotalTicket=Ticket total @@ -54,10 +53,6 @@ Colorful=Vistoso SortProductField=Campo para clasificar productos BrowserMethodDescription=Impresión de recibos simple y fácil. Solo unos pocos parámetros para configurar el recibo. Imprimir a través del navegador. TakeposConnectorMethodDescription=Módulo externo con características adicionales. Posibilidad de imprimir desde la nube. -PrintMethod=Método de impresión -ReceiptPrinterMethodDescription=Método potente con muchos parámetros. Completamente personalizable con plantillas. No se puede imprimir desde la nube. -ByTerminal=Por terminal -TakeposNumpadUsePaymentIcon=Usar icono de pago en el teclado numérico CashDeskRefNumberingModules=Módulo de numeración para ventas POS CashDeskGenericMaskCodes6 =
{TN} la etiqueta se usa para agregar el número de terminal TakeposGroupSameProduct=Agrupar las mismas líneas de productos @@ -69,3 +64,5 @@ MainPrinterToUse=Impresora principal para usar OrderPrinterToUse=Solicitar impresora para usar MainTemplateToUse=Plantilla principal para usar OrderTemplateToUse=Plantilla de pedido para usar +BarRestaurant=Restaurante Bar +AutoOrder=Pedido automático del cliente diff --git a/htdocs/langs/es_EC/categories.lang b/htdocs/langs/es_EC/categories.lang index 1c15391eea7..ae193783e1d 100644 --- a/htdocs/langs/es_EC/categories.lang +++ b/htdocs/langs/es_EC/categories.lang @@ -44,6 +44,7 @@ AccountsCategoriesShort=Etiquetas/categorías de cuentas ProjectsCategoriesShort=Proyectos etiquetas/categorías UsersCategoriesShort=Etiquetas/categorías de usuarios StockCategoriesShort=Etiquetas / categorías de almacén +ThisCategoryHasNoItems=Esta categoría no contiene ningún artículo. CategId=ID de etiqueta/categoría CatSupList=Lista de etiquetas / categorías de proveedores CatCusList=Lista de etiquetas/categorías de cliente/prospecto diff --git a/htdocs/langs/es_EC/companies.lang b/htdocs/langs/es_EC/companies.lang index 6d6fffcf7d9..067eeb2932e 100644 --- a/htdocs/langs/es_EC/companies.lang +++ b/htdocs/langs/es_EC/companies.lang @@ -16,7 +16,6 @@ ProspectionArea=Área de Prospección IdThirdParty=ID cliente/proveedor IdCompany=ID de la compañía IdContact=ID de contacto -Contacts=Contactos / Direcciones ThirdPartyContacts=Contactos de cliente/proveedor ThirdPartyContact=Contacto / dirección de cliente/proveedor CompanyName=Nombre de empresa @@ -165,6 +164,7 @@ CustomerAbsoluteDiscountAllUsers=Descuentos totales de clientes (concedidos por CustomerAbsoluteDiscountMy=Descuentos totales de clientes (otorgados por usted) SupplierAbsoluteDiscountAllUsers=Descuentos absolutos de proveedores (ingresados por todos los usuarios) SupplierAbsoluteDiscountMy=Descuentos absolutos de proveedores (ingresados por usted mismo) +Contacts=Contactos / Direcciones ContactId=ID de contacto NoContactDefinedForThirdParty=Ningún contacto definido para este cliente/proveedor DefaultContact=Dirección/contacto predeterminado @@ -252,7 +252,6 @@ ListSuppliersShort=Lista de proveedores ListProspectsShort=Lista de prospectos ListCustomersShort=Lista de clientes ThirdPartiesArea=Clientes/Proveedores y Contactos -LastModifiedThirdParties=Últimos %s clientes/proveedores modificados UniqueThirdParties=Total de clientes/proveedores InActivity=Abierto ThirdPartyIsClosed=El clientes/proveedores está cerrado diff --git a/htdocs/langs/es_EC/compta.lang b/htdocs/langs/es_EC/compta.lang index d89eb2e1e4d..e77516e0630 100644 --- a/htdocs/langs/es_EC/compta.lang +++ b/htdocs/langs/es_EC/compta.lang @@ -218,10 +218,8 @@ ByVatRate=Por tasa de impuesto a la venta IVA TurnoverbyVatrate=Facturación facturada por tasa de impuesto a la venta IVA TurnoverCollectedbyVatrate=Facturación recaudada por tasa de impuesto a la venta IVA PurchasebyVatrate=Compra por tasa de impuestos de venta IVA -PurchaseTurnover=Volumen de compras PurchaseTurnoverCollected=Volumen de compras recogido RulesPurchaseTurnoverDue=- Incluye las facturas vencidas del proveedor, ya sean pagadas o no.
: se basa en la fecha de facturación de estas facturas.
RulesPurchaseTurnoverIn=- Incluye todos los pagos efectivos de facturas hechas a proveedores.
: se basa en la fecha de pago de estas facturas
-RulesPurchaseTurnoverTotalPurchaseJournal=Incluye todas las líneas de débito del diario de compras. ReportPurchaseTurnover=Factura de facturación facturada ReportPurchaseTurnoverCollected=Volumen de compras recogido diff --git a/htdocs/langs/es_EC/errors.lang b/htdocs/langs/es_EC/errors.lang index a76ded9bf88..4176946c8f0 100644 --- a/htdocs/langs/es_EC/errors.lang +++ b/htdocs/langs/es_EC/errors.lang @@ -45,7 +45,6 @@ ErrorPartialFile=Archivo no recibido completamente por el servidor. ErrorNoTmpDir=La dirección temporal%s no existe. ErrorUploadBlockedByAddon=Carga bloqueada por un complemento PHP/Apache. ErrorFileSizeTooLarge=El tamaño del archivo es demasiado grande. -ErrorFieldTooLong=El campo %s es demasiado largo. ErrorSizeTooLongForIntType=Tamaño demasiado largo para el tipo int (dígitos%s máximo) ErrorSizeTooLongForVarcharType=Tamaño demasiado largo para el tipo de cadena (%s caracteres máximo) ErrorNoValueForSelectType=Por favor, rellene el valor de la lista de selección @@ -80,7 +79,6 @@ ErrorModuleSetupNotComplete=La configuración del módulo %s parece estar incomp 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 -ErrorSelectAtLeastOne=Error, seleccione al menos una entrada. 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=Error al enviar la contraseña @@ -102,7 +100,6 @@ ErrorLoginHasNoEmail=Este usuario no tiene dirección de correo electrónico. Pr ErrorBadValueForCode=Valor incorrecto para el código de seguridad. Pruebe de nuevo con nuevo valor ... ErrorBothFieldCantBeNegative=Los campos%s y%s no pueden ser negativos ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (del campo '%s' en la tarjeta de cliente/proveedor) y aplíquelo a la factura. -ErrorLinesCantBeNegativeForOneVATRate=El total de líneas no puede ser negativo para una tasa de IVA dada. ErrorQtyForCustomerInvoiceCantBeNegative=Cantidad de 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 ello ErrorNoActivatedBarcode=No se ha activado ningún tipo de código de barras @@ -194,13 +191,10 @@ ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Los objetos deben tener el 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 -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, el idioma es obligatorio si configura la página como una traducción de otra. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, el idioma de la página traducida es el mismo que este. ErrorBatchNoFoundForProductInWarehouse=No se encontró lote / serie para el producto "%s" en el almacén "%s". ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No hay suficiente cantidad para este lote / serie para el producto "%s" en el almacén "%s". ErrorOnlyOneFieldForGroupByIsPossible=Solo es posible 1 campo para 'Agrupar por' (otros se descartan) ErrorTooManyDifferentValueForSelectedGroupBy=Se encontraron demasiados valores diferentes (más de %s) para el campo '%s', por lo que no podemos usarlo para los gráficos. El campo 'Agrupar por' ha sido eliminado. ¿Puede ser que quieras usarlo como un eje X? -ErrorReplaceStringEmpty=Error, la cadena para reemplazar está vacía WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Su parámetro PHP upload_max_filesize (%s) es más alto que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente. WarningPasswordSetWithNoAccount=Se ha establecido una contraseña para este miembro. Sin embargo, no se creó ninguna cuenta de usuario. Por lo tanto, esta contraseña está almacenada pero no puede utilizarse para iniciar sesión en Dolibarr. Puede ser utilizado por un módulo / interfaz externo, pero si no necesita definir ningún inicio de sesión ni contraseña para un miembro, puede desactivar la opción "Administrar un inicio de sesión para cada miembro" desde la instalación del módulo miembro. Si necesita administrar un inicio de sesión pero no necesita ninguna contraseña, puede mantener 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. WarningMandatorySetupNotComplete=Haga clic aquí para configurar los parámetros obligatorios. diff --git a/htdocs/langs/es_EC/hrm.lang b/htdocs/langs/es_EC/hrm.lang index 73edf08dd2c..42289516832 100644 --- a/htdocs/langs/es_EC/hrm.lang +++ b/htdocs/langs/es_EC/hrm.lang @@ -4,4 +4,3 @@ ConfirmDeleteEstablishment=¿Estás seguro de que deseas eliminar este estableci OpenEtablishment=Establecimiento abierto DictionaryPublicHolidays=HRM - Días festivos DictionaryDepartment=RRHH - Lista de departamento -DictionaryFunction=RRHH - Lista de funciones diff --git a/htdocs/langs/es_EC/install.lang b/htdocs/langs/es_EC/install.lang index 8e8276536a9..ce151d5abbf 100644 --- a/htdocs/langs/es_EC/install.lang +++ b/htdocs/langs/es_EC/install.lang @@ -15,7 +15,6 @@ PHPSupportGD=Este PHP soporta funciones gráficas GD. PHPSupportCurl=Este PHP soporta Curl. PHPSupportUTF8=Este PHP soporta funciones UTF8. PHPSupportIntl=Este PHP soporta funciones Intl. -PHPSupportxDebug=Este PHP admite funciones de depuración extendidas. PHPSupport=Este PHP admite funciones %s. PHPMemoryOK=La memoria de sesión PHP max está configurada en%s. Esto debería ser suficiente. PHPMemoryTooLow=Su 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 %sbytes. @@ -26,7 +25,6 @@ ErrorPHPDoesNotSupportCurl=Su instalación de PHP no admite 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 Intl. -ErrorPHPDoesNotSupportxDebug=Su instalación de PHP no admite funciones de depuración ampliadas. 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. @@ -186,6 +184,3 @@ MigrationReloadModule=Actualizar módulo%s ErrorFoundDuringMigration=Se informaron errore(s) 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 características no funcionen correctamente hasta que se resuelvan los errores. YouTryInstallDisabledByDirLock=La aplicación intentó auto actualizarse, 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ó actualizarse automáticamente, 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=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. -Loaded=Cargado -FunctionTest=Prueba de funcionamiento diff --git a/htdocs/langs/es_EC/languages.lang b/htdocs/langs/es_EC/languages.lang index fefdc0c6536..19c56ef831e 100644 --- a/htdocs/langs/es_EC/languages.lang +++ b/htdocs/langs/es_EC/languages.lang @@ -5,4 +5,3 @@ Language_fi_FI=Finlandés Language_lv_LV=Letón Language_mk_MK=Macedónio Language_nl_BE=Holandés (Bélgica) -Language_nl_NL=Holandés diff --git a/htdocs/langs/es_EC/link.lang b/htdocs/langs/es_EC/link.lang index 6c96ddd0f55..0ad5de1e897 100644 --- a/htdocs/langs/es_EC/link.lang +++ b/htdocs/langs/es_EC/link.lang @@ -6,4 +6,3 @@ ErrorFileNotLinked=No se pudo vincular el archivo. LinkRemoved=Se ha eliminado el enlace %s ErrorFailedToDeleteLink=No se pudo eliminar el vínculo '%s' URLToLink=URL para vincular -OverwriteIfExists=Sobrescribir archivo si existe diff --git a/htdocs/langs/es_EC/mails.lang b/htdocs/langs/es_EC/mails.lang index d55c916e59a..8f5a90b7d7b 100644 --- a/htdocs/langs/es_EC/mails.lang +++ b/htdocs/langs/es_EC/mails.lang @@ -125,5 +125,4 @@ NoContactWithCategoryFound=No hay contacto/dirección con una categoría encontr NoContactLinkedToThirdpartieWithCategoryFound=No hay contacto/dirección con una categoría encontrada OutGoingEmailSetup=Configuración de correo saliente InGoingEmailSetup=Configuración de correo entrante -OutGoingEmailSetupForEmailing=Configuración del correo electrónico saliente (para el módulo %s) ContactsWithThirdpartyFilter=Contactos con filtro de terceros diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang index 159dd3b4084..2dd7a66de05 100644 --- a/htdocs/langs/es_EC/main.lang +++ b/htdocs/langs/es_EC/main.lang @@ -22,6 +22,7 @@ FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Conexión con la base de datos NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico AvailableVariables=Variables de sustitución disponibles +EmptySearchString=Enter non empty search criterias NoRecordFound=Ningún registro encontrado NoRecordDeleted=Ningún registro eliminado NoError=No hay error @@ -43,10 +44,13 @@ ErrorNoRequestInError=Ninguna solicitud por error ErrorServiceUnavailableTryLater=Servicio no disponible en este momento. Inténtalo de nuevo más tarde. ErrorDuplicateField=Valor duplicado en un campo único 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. ErrorCantLoadUserFromDolibarrDatabase=No se pudo encontrar el usuario %s en la base de datos Dolibarr. ErrorNoVATRateDefinedForSellerCountry=Error, no hay tipos de IVA definidos para el país '%s'. ErrorNoSocialContributionForSellerCountry=Error, no hay ningun tipo de impuesto fiscal definido para el país '%s'. ErrorFailedToSaveFile=Error, Error al guardar el archivo. +ErrorCannotAddThisParentWarehouse=Está intentando agregar un almacén principal que ya es hijo de un almacén existente +MaxNbOfRecordPerPage=Max. cantidad de registros por página NotAuthorized=No está autorizado para hacer eso. SetDate=Establecer fecha SeeHere=Mire aquí @@ -66,6 +70,8 @@ Undefined=Indefinido PasswordForgotten=¿Contraseña olvidada? NoAccount=Sin cuenta? SeeAbove=Véase más arriba +LastConnexion=Último acceso +PreviousConnexion=Inicio de sesión anterior PreviousValue=Valor anterior ConnectedOnMultiCompany=Conectado en ambiente AuthenticationMode=Modo de autenticación @@ -76,10 +82,12 @@ InformationLastAccessInError=Información del error de solicitud de acceso a la YouCanSetOptionDolibarrMainProdToZero=Puede leer el archivo de registro o establecer 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 establecer la opción $dolibarr_main_prod en '1' para eliminar dichos avisos) TechnicalID=Identificación técnico +LineID=Identificación de línea NotePublic=Nota (público) PrecisionUnitIsLimitedToXDecimals=Dolibarr fue configurado para limitar la precisión de los precios unitarios a %s decimales. DoTest=Prueba ToFilter=Filtro +WarningYouHaveAtLeastOneTaskLate=Advertencia, tiene al menos un elemento que ha excedido el tiempo de tolerancia. All=Todas OnlineHelp=Ayuda en linea Under=Debajo @@ -105,8 +113,10 @@ ValidateAndApprove=Validar y aprobar ToValidate=Validar Save=Guardar 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 @@ -115,6 +125,7 @@ Hide=Esconder ShowCardHere=Mostrar tarjeta SearchOf=Buscar Valid=Válido +Upload=Subir ToLink=Enlazar Choose=Escoger Resize=Cambiar el tamaño @@ -128,6 +139,7 @@ MultiLanguage=Multi lenguaje RefOrLabel=Referencia o etiqueta Info=Iniciar sesión DescriptionOfLine=Descripción de la línea +DateOfLine=Fecha de línea Model=Pantilla de documento DefaultModel=Pantilla de documento por defecto Action=Evento @@ -165,6 +177,8 @@ Gb=GB Default=Predeterminados DefaultValue=Valor predeterminado DefaultValues=Valores predeterminados / filtros / clasificación +UnitPriceHT=Precio unitario (excl.) +UnitPriceHTCurrency=Precio unitario (excl.) (Moneda) UnitPriceTTC=Precio unitario PriceU=Precio PriceUHT=Precio @@ -173,12 +187,17 @@ PriceUTTC=Precio (inc. IVA) Amount=Cantidad AmountInvoice=Valor de la factura AmountInvoiced=Monto facturado +AmountInvoicedHT=Valor facturada (con impuestos) +AmountInvoicedTTC=Valor facturado (sin impuestos) AmountPayment=Monto del pago +AmountHTShort=Valor (excl.) AmountTTCShort=Valor (inc. IVA) +AmountHT=Valor (sin impuestos) AmountTTC=Valor (inc. IVA) AmountVAT=Impuesto sobre el Valor MulticurrencyAlreadyPaid=Ya pagado, moneda original. MulticurrencyRemainderToPay=Seguir pagando, moneda de origen +MulticurrencyAmountHT=Valor (sin impuestos), moneda original MulticurrencyAmountTTC=Valor (inc. impuestos), moneda de origen MulticurrencyAmountVAT=Valor del impuesto, moneda de origen AmountLT1=Valor del impuesto 2 @@ -187,13 +206,19 @@ AmountLT1ES=Valor RE AmountLT2ES=Valor IRPF AmountTotal=Valor total AmountAverage=Valor promedio +PriceQtyMinHT=Precio cantidad min. (sin impuestos) +PriceQtyMinHTCurrency=Precio cantidad min. (sin impuestos) (moneda) +TotalHTShortCurrency=Total (excluido en moneda) TotalTTCShort=Total (inc. IVA) +TotalHT=Total (sin impuestos) +TotalHTforthispage=Total (sin impuestos) para esta página Totalforthispage=Total para esta página TotalTTC=Total (inc. IVA) TotalTTCToYourCredit=Total (inc. Impuestos) a su crédito TotalVAT=Total impuestos TotalLT1=Total impuestos 2 TotalLT2=Total impuestos 3 +HT=Sin impuesto TTC=impuestos Inc. INCVATONLY=IVA incluido INCT=Inc. todos los impuestos @@ -202,6 +227,7 @@ LT1=Impuesto sobre las ventas 2 LT1Type=Impuesto sobre las ventas 2 tipo LT2=Impuesto sobre ventas 3 LT2Type=Impuesto sobre las ventas tipo 3 +LT1GC=Centavos adicionales VATRate=Tasa de impuesto VATCode=Código de tasa impositiva VATNPR=Tasa de impuesto NPR @@ -228,6 +254,9 @@ Accountant=Contador ContactsForCompany=Contactos de clientes ContactsAddressesForCompany=Contactos/direcciones de clientes AddressesForCompany=Direcciones de clientes +ActionsOnCompany=Eventos para este tercero +ActionsOnContact=Eventos para este contacto/dirección +ActionsOnContract=Eventos para este contrato ActionsOnMember=Eventos sobre miembros NActionsLate=%s tarde ToDo=Que hacer @@ -239,6 +268,8 @@ RemoveFilter=Retirar filtro ChartGenerated=Gráfico generado ChartNotGenerated=Gráfico no genera GeneratedOn=Construir el %s +DolibarrWorkBoard=Artículos abiertos +NoOpenedElementToProcess=No hay elementos abiertos para procesar NotYetAvailable=No disponible aún Categories=Etiquetas/categorías ChangedBy=Cambiado por @@ -246,13 +277,14 @@ ResultKo=Fallo Reporting=Informes Validated=validado Opened=Abierto +ClosedAll=Cerrado (todos) Topic=Tema ByCompanies=Por cliente -Rejects=Rechazos Preview=Vista Previa NextStep=Próximo paso None=Ninguna Late=Tarde +LateDesc=Un elemento se define como Retrasado según la configuración del sistema en el menú Inicio - Configuración - Alertas. NoItemLate=No hay artículo tarde Photo=Imagen Photos=Imágenes @@ -329,6 +361,7 @@ Currency=Moneda Undo=Deshacer UndoExpandAll=Deshacer expandir FeatureNotYetSupported=Característica aún no soportado +SendByMail=Enviar por correo electrónico MailSentBy=Correo electrónico enviado por TextUsedInTheMessageBody=Cuerpo del correo electronico SendAcknowledgementByMail=Enviar correo electrónico de confirmación @@ -344,6 +377,9 @@ CanBeModifiedIfKo=Puede ser modificado si no es válida ValueIsValid=El valor es válido ValueIsNotValid=El valor no es válido RecordCreatedSuccessfully=Registro creado con éxito +RecordsModified=%s registro(s) modificado +RecordsDeleted=%s registro(s) eliminado +RecordsGenerated=%s registro(s) generado AutomaticCode=Código automático MoveBox=Mover widget Offered=Ofrecido @@ -365,14 +401,17 @@ For=Por ForCustomer=Para el cliente HidePassword=Mostrar comando con la contraseña oculta UnHidePassword=Mostrar comando real con contraseña clara +RootOfMedias=Raíz de los medios públicos (/medios) AddFile=Agregar archivo FreeZone=No es un producto/servicio predefinido +FreeLineOfType=Elemento de texto libre, escriba: CloneMainAttributes=Clonar objeto con sus atributos principales PDFMerge=Combinar PDF Merge=Combinar DocumentModelStandardPDF=Plantilla PDF estándar PrintContentArea=Mostrar la página para imprimir el área de contenido principal MenuManager=Administrador de menús +WarningYouAreInMaintenanceMode=Advertencia, está en modo de mantenimiento: solo inicie sesión %s tiene permiso para usar la aplicación en este modo. CoreErrorMessage=Disculpe, ocurrió un error. Póngase en contacto con el administrador del sistema para comprobar los registros o desactivar $dolibarr_main_prod=1 para obtener más información. FieldsWithAreMandatory=Los campos con %s son obligatorios FieldsWithIsForPublic=Los campos con %s se muestran en la lista pública de miembros. Si no quieres esto, desmarca la casilla "público". @@ -391,8 +430,12 @@ LinkToProposal=Enlace a la propuesta LinkToOrder=Enlace al pedido LinkToInvoice=Enlace a la 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 boleto CreateDraft=Crear proyecto SetToDraft=Volver al proyecto ClickToEdit=Click para editar @@ -425,22 +468,30 @@ ListOfTemplates=Lista de plantillas Gender=Género ViewList=Vista de la lista Sincerely=Sinceramente +ConfirmDeleteObject=¿Seguro que quieres eliminar este objeto? DeleteLine=Borrar línea NoPDFAvailableForDocGenAmongChecked=No hay PDF disponibles para la generación de documentos entre el registro guardado TooManyRecordForMassAction=Demasiados registros seleccionados para la acción de masas. La acción está restringida a una lista de registros %s. NoRecordSelected=Ningún registro seleccionado MassFilesArea=Área para archivos construidos por acciones masivas ShowTempMassFilesArea=Mostrar área de archivos creados por acciones masivas +ConfirmMassDeletion=Confirmación de eliminación masiva +ConfirmMassDeletionQuestion=¿Está seguro de que desea eliminar los registro(s) seleccionado %s? ClassifyBilled=Clasificar facturas ClassifyUnbilled=Clasificar sin facturar ExportFilteredList=Exportar lista filtrada ExportList=Exportar lista +ExportOfPiecesAlreadyExportedIsEnable=La exportación de piezas ya exportadas está habilitada +ExportOfPiecesAlreadyExportedIsDisable=La exportación de piezas ya exportadas está desactivada +AllExportedMovementsWereRecordedAsExported=Todos los movimientos exportados se registraron como exportados +NotAllExportedMovementsCouldBeRecordedAsExported=No todos los movimientos exportados pueden registrarse como exportados Miscellaneous=Varios 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/ para agregar sus mejoras. DirectDownloadLink=Enlace de descarga directa (público/externo) DownloadDocument=Descargar documento ActualizeCurrency=Actualizar tipo de cambio +ModuleBuilder=Módulo y generador de aplicaciones ClickToShowHelp=Haga clic para mostrar ayuda sobre herramientas WebSites=Sitios Web ExpenseReport=Informe de gastos @@ -457,6 +508,7 @@ ListOpenLeads=Lista de clientes potenciales abiertos ListOpenProjects=Listar proyectos abiertos NewLeadOrProject=Nuevo registro o proyecto LineNb=Número de línea +TabLetteringSupplier=Letras del vendedor MondayMin=Lun TuesdayMin=Mar WednesdayMin=Mier @@ -477,8 +529,9 @@ Select2SearchInProgress=Búsqueda en proceso... SearchIntoThirdparties=Clientes/Proveedores SearchIntoCustomerInvoices=Facturas de clientes SearchIntoSupplierInvoices=Facturas del vendedor/proveedor +SearchIntoCustomerOrders=Ordenes de venta SearchIntoSupplierOrders=Ordenes de compra -SearchIntoCustomerProposals=Propuestas de clientes +SearchIntoCustomerProposals=Propuestas comerciales SearchIntoSupplierProposals=Propuestas del vendedor SearchIntoCustomerShipments=Envíos de clientes SearchIntoExpenseReports=Reporte de gastos @@ -489,7 +542,18 @@ AssignedTo=Asignado a ConfirmMassDraftDeletion=Confirmación de eliminación masiva SelectAThirdPartyFirst=Seleccione un cliente/proveedor primero YouAreCurrentlyInSandboxMode=Actualmente estás en el modo%s "sandbox" +NoFilesUploadedYet=Por favor cargue un documento primero +ValidFrom=Válida desde +NoRecordedUsers=No hay usuarios +ToClose=Cerrar ToProcess=Para procesar +ToApprove=Aprobar +NoArticlesFoundForTheCategory=No se ha encontrado ningún artículo para la categoría. +ToAcceptRefuse=Aceptar | negar ContactDefault_agenda=Evento 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 de roles de terceros de contacto diff --git a/htdocs/langs/es_EC/modulebuilder.lang b/htdocs/langs/es_EC/modulebuilder.lang index 03aba55c7e3..ffad475bff9 100644 --- a/htdocs/langs/es_EC/modulebuilder.lang +++ b/htdocs/langs/es_EC/modulebuilder.lang @@ -18,7 +18,6 @@ EnterNameOfObjectToDeleteDesc=Puedes borrar un objeto. ADVERTENCIA: ¡Se elimina BuildPackage=Paquete de construcción BuildPackageDesc=Puede generar un paquete zip de su aplicación para que esté listo para distribuirlo en cualquier Dolibarr. También puede distribuirlo o venderlo en el mercado como DoliStore.com . BuildDocumentation=Crear documentación -ModuleIsNotActive=Este módulo no está activado todavía. Vaya a para %s hacerlo en vivo o haga clic aquí: ModuleIsLive=Este módulo ha sido activado. Cualquier cambio puede romper una función en vivo actual. DescriptorFile=Archivo de descripción del módulo ClassFile=Archivo para la clase PHP DAO CRUD @@ -56,7 +55,6 @@ 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 -DisplayOnPdf=Mostrar en PDF 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/mrp.lang b/htdocs/langs/es_EC/mrp.lang index 4b2c77a8d0b..c87d64ece84 100644 --- a/htdocs/langs/es_EC/mrp.lang +++ b/htdocs/langs/es_EC/mrp.lang @@ -18,9 +18,7 @@ FreeLegalTextOnMOs=Texto libre en el documento de MO WatermarkOnDraftMOs=Marca de agua en borrador MO ConfirmCloneBillOfMaterials=¿Está seguro de que desea clonar la lista de materiales %s? ConfirmCloneMo=¿Está seguro de que desea clonar la orden de fabricación %s? -ConsumptionEfficiency=Eficiencia de consumo ValueOfMeansLoss=Valor de 0.95 significa un promedio de 5%% de pérdida durante la producción -ValueOfMeansLossForProductProduced=El valor de 0.95 significa un promedio de 5%% de pérdida del producto producido DeleteBillOfMaterials=Eliminar lista de materiales DeleteMo=Eliminar orden de fabricación ConfirmDeleteBillOfMaterials=¿Está seguro de que desea eliminar esta lista de materiales? @@ -45,6 +43,3 @@ ConfirmValidateMo=¿Está seguro de que desea validar esta orden de fabricación ConfirmProductionDesc=Al hacer clic en '%s', validará el consumo y / o la producción de las cantidades establecidas. Esto también actualizará el stock y registrará movimientos de stock. AutoCloseMO=Cierre automáticamente la orden de fabricación si se alcanzan cantidades para consumir y producir ProductQtyToProduceByMO=Quentidad de producto aún por producir por MO abierto -AddNewConsumeLines=Agregar nueva línea para consumir -ProductsToConsume=Productos para consumir -ProductsToProduce=Productos para producir diff --git a/htdocs/langs/es_EC/other.lang b/htdocs/langs/es_EC/other.lang index 9aeec1f879e..9d8d38b3e92 100644 --- a/htdocs/langs/es_EC/other.lang +++ b/htdocs/langs/es_EC/other.lang @@ -17,10 +17,6 @@ ContentOfDirectoryIsNotEmpty=El contenido de este directorio no está vacío. DeleteAlsoContentRecursively=Marque para eliminar todo el contenido recursivamente PoweredBy=Energizado por NextYearOfInvoice=Año siguiente de la fecha de la factura -GraphInBarsAreLimitedToNMeasures=Los gráficos se limitan a las medidas %s en el modo 'Barras'. En su lugar, se seleccionó automáticamente el modo 'Líneas'. -AtLeastOneMeasureIsRequired=Se requiere al menos 1 campo para medir -AtLeastOneXAxisIsRequired=Se requiere al menos 1 campo para el eje X -LatestBlogPosts=Últimas publicaciones de blog Notify_ORDER_VALIDATE=Pedido de ventas validado Notify_ORDER_SENTBYMAIL=Pedido de ventas enviado por correo Notify_ORDER_SUPPLIER_SENTBYMAIL=Orden de compra enviada por correo electrónico @@ -65,8 +61,6 @@ MaxSize=Talla máxima AttachANewFile=Adjuntar un nuevo archivo/documento LinkedObject=Objeto enlazado NbOfActiveNotifications=Número de notificaciones (número de correos electrónicos del destinatario) -PredefinedMailTest=Se trata de un correo de prueba enviado a __EMAIL __.\nLas dos líneas están separadas por un retorno de carro.\n\n__SIGNATURE__ -PredefinedMailTestHtml=Se trata de un
test
correo (la palabra prueba debe estar en negrita). Las dos líneas están separadas por un retorno de carro.
__SIGNATURE__ PredefinedMailContentContract=aa__PERSONALIZED __\n\n__SIGNATURE__ PredefinedMailContentSendInvoice=__(Hola)__\n\nEncuentre la factura __REF__ adjunta\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sinceramente)__\n\n__ FIRMA DEL USUARIO__ PredefinedMailContentSendInvoiceReminder=__(Hola)__\n\nNos gustaría recordarle que la factura __REF__ parece no haberse pagado. Se adjunta una copia de la factura como recordatorio.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sinceramente)__\n\n__ FIRMA DEL USUARIO__ @@ -195,4 +189,3 @@ RequestDuration=Duración de la solicitud. PopuProp=Productos / Servicios por popularidad en Propuestas PopuCom=Productos / Servicios por popularidad en Pedidos ProductStatistics=Estadísticas de productos / servicios -NbOfQtyInOrders=Cantidad en pedidos diff --git a/htdocs/langs/es_EC/products.lang b/htdocs/langs/es_EC/products.lang index 8117b924284..ce575da3b7c 100644 --- a/htdocs/langs/es_EC/products.lang +++ b/htdocs/langs/es_EC/products.lang @@ -11,7 +11,6 @@ ProductVatMassChangeDesc=¡Esta herramienta actualiza la tasa de IVA definida en MassBarcodeInit=Iniciación de código de barras masivo MassBarcodeInitDesc=Esta página puede usarse para inicializar un código de barras en objetos que no tienen código de barras definido. Compruebe antes de que la configuración del código de barras del módulo esté completa. ProductAccountancyBuyCode=Código de contabilidad (compra) -ProductAccountancyBuyIntraCode=Código contable (compra intracomunitaria) ProductAccountancyBuyExportCode=Código de contabilidad (importación de compra) ProductAccountancySellCode=Código de contabilidad (venta) ProductsOnPurchase=Productos a la venta @@ -24,7 +23,6 @@ ServicesOnSaleOnly=Servicios para la venta solamente ServicesOnPurchaseOnly=Servicios para la compra solamente ServicesNotOnSell=Servicios no a la venta y no a la compra ServicesOnSellAndOnBuy=Servicios para la venta y para la compra -LastModifiedProductsAndServices=Últimos productos / servicios modificados %s LastRecordedServices=Últimos %s servicios grabados MenuStocks=Dispuesto Stocks=Stocks y ubicación (almacén) de productos @@ -196,9 +194,6 @@ SizeUnits=Unidad de tamaño ConfirmDeleteProductBuyPrice=¿Seguro que quieres eliminar este precio de compra? UseProductFournDesc=Agregue una función para definir las descripciones de los productos definidos por los proveedores, además de las descripciones para los clientes. ProductSupplierDescription=Descripción del vendedor del producto -UseProductSupplierPackaging=Utilice el embalaje según los precios del proveedor (recalcule las cantidades según el conjunto de envases según el precio del proveedor al agregar / actualizar la línea en los documentos del proveedor) -PackagingForThisProduct=Embalaje -QtyRecalculatedWithPackaging=La cantidad de la línea se recalculó de acuerdo con el embalaje del proveedor. VariantAttributes=Atributos variantes ProductAttributes=Atributos variantes para los productos ProductAttributeName=Atributo de variante %s @@ -231,4 +226,3 @@ ErrorProductCombinationNotFound=Variante del producto no encontrada ActionAvailableOnVariantProductOnly=Acción solo disponible en la variante de producto ProductsPricePerCustomer=Precios de productos por cliente ProductSupplierExtraFields=Atributos adicionales (precios de proveedor) -DeleteLinkedProduct=Eliminar el producto hijo vinculado a la combinación diff --git a/htdocs/langs/es_EC/projects.lang b/htdocs/langs/es_EC/projects.lang index c6862d814da..db8bb749932 100644 --- a/htdocs/langs/es_EC/projects.lang +++ b/htdocs/langs/es_EC/projects.lang @@ -27,8 +27,6 @@ OpportunitiesStatusForProjects=Cantidad de proyectos por estado. ShowProject=Mostrar proyecto SetProject=Establecer proyecto NoProject=Ningún proyecto definido o propiedad -NbOfProjects=Numero de proyectos -NbOfTasks=Numero de tareas TimeSpent=Tiempo usado TimeSpentByYou=Tiempo pasado por usted TimeSpentByUser=Tiempo empleado por el usuario @@ -82,7 +80,6 @@ ChildOfProjectTask=Hijo del proyecto/tarea ChildOfTask=Tarea relacionada TaskHasChild=La tarea tiene subcategorias NotOwnerOfProject=No propietario de este proyecto privado -CantRemoveProject=Este proyecto no se puede quitar ya que es referenciado por otros objetos (factura, pedidos u otros). Consulte la pestaña referentes. ConfirmValidateProject=¿Está seguro de que desea validar este proyecto? ConfirmCloseAProject=¿Estás seguro de que quieres cerrar este proyecto? AlsoCloseAProject=También cierre el proyecto (manténgalo abierto si todavía necesita seguir las tareas de producción en él) @@ -120,8 +117,6 @@ OpportunityProbability=Probabilidad de clientes potenciales OpportunityProbabilityShort=Probabilidad de plomo. OpportunityAmount=Cantidad de clientes potenciales OpportunityAmountShort=Cantidad de clientes potenciales -OpportunityWeightedAmount=Cantidad ponderada de oportunidad -OpportunityWeightedAmountShort=Opp. cantidad ponderada OpportunityAmountAverageShort=Cantidad de plomo promedio OpportunityAmountWeigthedShort=Cantidad de plomo ponderada WonLostExcluded=Ganado/perdido excluido @@ -140,7 +135,6 @@ DocumentModelBaleine=Plantilla de documento de proyecto para tareas DocumentModelTimeSpent=Plantilla de informe de proyecto por tiempo dedicado ProjectReferers=Artículos relacionados ProjectMustBeValidatedFirst=El proyecto debe ser validado primero -FirstAddRessourceToAllocateTime=Asignar un recurso de usuario como contacto del proyecto para asignar tiempo 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. @@ -173,7 +167,6 @@ AllowToLinkFromOtherCompany=Permitir vincular proyecto desde otra empresa
&tag=valor%s para que el pago se cree automáticamente cuando sea validado por Stripe. STRIPE_CGI_URL_V2=Módulo URL de Stripe CGI para el pago NewStripePaymentFailed=Nuevo pago de Stripe probado pero fallido -FailedToChargeCard=Error al cargar la tarjeta STRIPE_TEST_SECRET_KEY=Clave de prueba secreta STRIPE_TEST_PUBLISHABLE_KEY=Clave de prueba publicable STRIPE_LIVE_SECRET_KEY=Clave secreta en vivo @@ -34,4 +33,3 @@ StripeUserAccountForActions=Cuenta de usuario para usar para la notificación po ToOfferALinkForTestWebhook=Enlace para configurar Stripe WebHook para llamar a IPN (modo de prueba) ToOfferALinkForLiveWebhook=Enlace para configurar Stripe WebHook para llamar a IPN (modo en vivo) ClickHereToTryAgain=Haga clic aquí para volver a intentarlo... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a las fuertes reglas de autenticación del cliente, la creación de una tarjeta debe hacerse desde la oficina administrativa de Stripe. Puede hacer clic aquí para activar el registro de cliente de Stripe: %s diff --git a/htdocs/langs/es_EC/ticket.lang b/htdocs/langs/es_EC/ticket.lang index 074c18123f0..86683e42093 100644 --- a/htdocs/langs/es_EC/ticket.lang +++ b/htdocs/langs/es_EC/ticket.lang @@ -1,18 +1,26 @@ # Dolibarr language file - Source file is en_US - ticket Module56000Desc=Sistema de tickets para gestión de problemas o solicitudes +Permission56005=Vea los tickets de todos los cliente/proveedor (no es efectivo para usuarios externos, siempre se limita al cliente/proveedor del que dependen) +TicketDictType=Tipos - Tickets +TicketDictCategory=Ticket - Grupos +TicketDictSeverity=Ticket - Prioridades +TicketTypeShortISSUE=Problema o Error TicketSeverityShortBLOCKING=Crítico/Bloqueo ErrorBadEmailAddress=Campo '%s' incorrecto MenuListNonClosed=Tikests abiertos TypeContact_ticket_internal_CONTRIBUTOR=Contribuyente TypeContact_ticket_external_SUPPORTCLI=Contacto con el cliente / seguimiento de incidentes OriginEmail=Origen del correo electrónico +Notify_TICKET_SENTBYMAIL=Enviar mensaje del ticket por correo electrónico NotRead=No leer Read=Leer +NeedMoreInformation=Esperando información Answered=Contestada Waiting=Esperando Type=Tipo MailToSendTicketMessage=Para enviar un correo electrónico desde un ticket TicketPublicAccess=Una interfaz pública que no requiere identificación está disponible en la siguiente URL +TicketSetupDictionaries=El tipo de ticket, prioridad y códigos analíticos son configurables desde los diccionarios. TicketParamMail=Configuración de correo electrónico TicketEmailNotificationFrom=Correo electrónico de notificación de TicketEmailNotificationTo=Notificaciones de correo electrónico a @@ -21,6 +29,8 @@ TicketNewEmailBodyHelp=El texto especificado aquí se inserta en el correo elect 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 está disponible en la base de datos para crear un nuevo ticket. PublicInterface=Interfaz pública +TicketUrlPublicInterfaceLabelAdmin=URL alternativa para 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 un proxy en esta nueva URL) TicketPublicInterfaceTextHome=Puede crear un ticket de soporte o visualizar existente a partir de su ticket de seguimiento de identificador. TicketPublicInterfaceTopicHelp=Este texto aparece como el título de la interfaz pública. ExtraFieldsTicket=Atributos adicionales @@ -34,18 +44,24 @@ TicketsShowModuleLogoHelp=Habilite esta opción para ocultar el módulo del logo TicketsShowCompanyLogoHelp=Habilite esta opción para ocultar el logotipo de la empresa principal en las páginas de la interfaz pública TicketsEmailAlsoSendToMainAddress=También envíe notificaciones a la dirección de correo electrónico principal TicketsEmailAlsoSendToMainAddressHelp=Habilite esta opción para enviar un correo electrónico a la dirección "Correo electrónico de notificación de" (consulte la configuración a continuación) +TicketsLimitViewAssignedOnly=Restrinja la visualización a los tickets asignados al usuario actual (no es efectivo para usuarios externos, siempre se limita al tercero del que dependen) TicketsLimitViewAssignedOnlyHelp=Solo los tickets asignadas al usuario actual serán visibles. No se aplica a un usuario con derechos de gestión de tickets. TicketsActivatePublicInterface=Activar la interfaz pública TicketsActivatePublicInterfaceHelp=La interfaz pública permite a los visitantes crear tickets. TicketsAutoAssignTicket=Asigna automáticamente al usuario que creó el ticket +TicketNotifyTiersAtCreation=Notificar a un cliente/proveedor en la creación +TicketsDisableCustomerEmail=Siempre deshabilite los correos electrónicos cuando se crea un ticket desde la interfaz pública TicketList=Lista de tickets +TicketAssignedToMeInfos=Esta página muestra la lista de tickets creada o asignada al usuario actual NoTicketsFound=No se encontró ticket +NoUnreadTicketsFound=No se ha encontrado ningún ticket no leído TicketCard=Tarjeta de ticket TicketsManagement=Administración de Tickets SubjectAnswerToTicket=Respuesta del ticket TicketReadOn=Sigue leyendo TicketHistory=Historial de tickets TicketAssigned=Ticket ahora está asignado +TicketChangeCategory=Cambiar código analítico TicketChangeSeverity=Cambiar severidad TicketAddMessage=Añade un mensaje AddMessage=Añade un mensaje @@ -72,13 +88,20 @@ TicketTimeToRead=Tiempo transcurrido antes de leer TicketContacts=Boleto de contactos TicketDocumentsLinked=Documentos vinculados al ticket ConfirmReOpenTicket=¿Confirma volver a abrir este ticket? +TicketMessageMailIntroAutoNewPublicMessage=Se publicó un nuevo mensaje en el ticket con el tema %s: TicketAssignedEmailBody=Se ha asignado el ticket #%s por %s TicketEmailOriginIssuer=Editar al origen de los tickets LinkToAContract=Enlace a un contrato +UnableToCreateInterIfNoSocid=No se puede crear una intervención cuando no se define un tercero TicketMailExchanges=Intercambios de correo TicketChangeStatus=Cambiar Estado +TicketConfirmChangeStatus=Confirme el cambio de estado: %s? TicketNotNotifyTiersAtCreate=No notificar a la compañía al crearla +ErrorTicketRefRequired=Se requiere el nombre de referencia del boleto NoLogForThisTicket=Aún no hay registro para este boleto +TicketLogPropertyChanged=Ticket %s modificado: clasificación de %s a %s +TicketLogClosedBy=Boleto %s cerrado por %s +TicketLogReopen=Ticket %s reabrir ShowListTicketWithTrackId=Mostrar lista de tickets de la lista de identificación ShowTicketWithTrackId=Mostrar ticket desde ID de seguimiento TicketPublicDesc=Puede crear un ticket de soporte o cheque desde un ID existente. @@ -92,9 +115,20 @@ TicketEmailPleaseDoNotReplyToThisEmail=¡Por favor no responda directamente a es TicketPublicInfoCreateTicket=Este formulario le permite registrar un ticket de soporte en nuestro sistema de gestión. TicketPublicPleaseBeAccuratelyDescribe=Por favor, describa con precisión el problema. Proporcionar la mayor cantidad de información posible que nos permita recibirla de forma incorrecta. TicketPublicMsgViewLogIn=Ingrese el ID de seguimiento de tickets +TicketTrackId=ID de seguimiento público +OneOfTicketTrackId=Uno de su ID de seguimiento +ErrorTicketNotFound=¡Ticket con ID de seguimiento %s no encontrado! Subject=Tema +ErrorEmailMustExistToCreateTicket=Error: dirección de correo electrónico no encontrada en nuestra base de datos +TicketNewEmailBodyAdmin= 

El boleto se acaba de crear con ID # %s, consulte la información:

SeeThisTicketIntomanagementInterface=Ver ticket en la interfaz de administración +ErrorEmailOrTrackingInvalid=Mal valor para el seguimiento de ID o correo electrónico +OldUser=Antiguo usuario +NumberOfTicketsByMonth=Cantidad de boletos por mes +NbOfTickets=Numero de entradas TicketNotificationEmailBody=Este es un mensaje automático para notificar que el ticket %s se acaba de actualizar +TicketNotificationNumberEmailSent=Correo electrónico de notificación enviado: %s +ActionsOnTicket=Eventos en boleto BoxLastTicketDescription=Últimos tickets %s creados BoxLastModifiedTicketDescription=Últimos tickets %s modificados BoxLastModifiedTicketNoRecordedTickets=No hay tickets modificadas recientemente diff --git a/htdocs/langs/es_EC/users.lang b/htdocs/langs/es_EC/users.lang index 5020c38edae..da68a7098db 100644 --- a/htdocs/langs/es_EC/users.lang +++ b/htdocs/langs/es_EC/users.lang @@ -83,5 +83,3 @@ UserLogged=Usuario registrado DateEmploymentEnd=Fecha de finalización del empleo ForceUserExpenseValidator=Validar el validador de informes de gastos ForceUserHolidayValidator=Forzar validación de solicitud de licencia -UserPersonalEmail=Email personal -UserPersonalMobile=Teléfono móvil personal diff --git a/htdocs/langs/es_EC/website.lang b/htdocs/langs/es_EC/website.lang index 41a4748bb60..fa7fc75eb34 100644 --- a/htdocs/langs/es_EC/website.lang +++ b/htdocs/langs/es_EC/website.lang @@ -26,7 +26,6 @@ SetAsHomePage=Establecer como página de inicio RealURL=URL real ViewWebsiteInProduction=Ver sitio web utilizando las URL de inicio SetHereVirtualHost=uso con Apache/NGinx/...
Crea en su servidor web (Apache, Nginx, ...) de un host virtual dedicado con PHP habilitado y un directorio raíz en
%s -ExampleToUseInApacheVirtualHostConfig=Ejemplo para usar en la configuración del host virtual Apache: YouCanAlsoTestWithPHPS=Para usar con el servidor PHP incorporado
en el entorno de desarrollo, es posible que prefiera probar el sitio con el servidor web PHP incorporado (se requiere PHP 5.5) ejecutando
php -S 0.0.0.0:8080 -t %s YouCanAlsoDeployToAnotherWHP=  Ejecute su sitio web con otro proveedor de alojamiento Dolibarr
Si no tiene un servidor web como Apache o NGinx disponible en Internet, puede exportar e importar su sitio web a otra instancia de Dolibarr proporcionada por otro proveedor de alojamiento Dolibarr que proporcione el servicio completo integración con el módulo del sitio web. Puede encontrar una lista de algunos proveedores de hosting Dolibarr en https://saas.dolibarr.org CheckVirtualHostPerms=Verifique también que el host virtual tenga permiso para %s en los archivos
%s @@ -41,14 +40,12 @@ SiteAdded=Sitio web añadido LanguageMustNotBeSameThanClonedPage=Clonar una página como traducción. El idioma de la nueva página debe ser diferente al idioma de la página de origen. OrEnterPageInfoManually=O crea una página desde cero o desde una plantilla de página ... IDOfPage=Id de página -BackToListForThirdParty=Volver a la lista de terceros DisableSiteFirst=Deshabilitar sitio web primero AnotherContainer=Así es como se incluye el contenido de otra página / contenedor (puede tener un error aquí si habilita el código dinámico porque el subcontenedor incrustado puede no existir) SorryWebsiteIsCurrentlyOffLine=Lo sentimos, este sitio web está actualmente fuera de línea. Vuelve más tarde ... WEBSITE_USE_WEBSITE_ACCOUNTS=Habilitar la tabla de cuenta del sitio web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilite la tabla para almacenar las cuentas del sitio web (inicio de sesión / pase) para cada sitio web / tercero YouMustDefineTheHomePage=Primero debe definir la página de inicio predeterminada -OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web mediante la importación de una página web externa está reservada para usuarios experimentados. Dependiendo de la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen usa estilos CSS comunes o JavaScript conflictivo, puede romper el aspecto o las características del editor del sitio web cuando se trabaja en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o desde una plantilla de página sugerida.
Tenga en cuenta también que el editor en línea puede no funcionar correctamente cuando se usa en una página externa capturada. OnlyEditionOfSourceForGrabbedContent=Solo es posible la edición de código fuente HTML cuando el contenido fue capturado de un sitio externo WebsiteRootOfImages=Directorio raíz para imágenes de sitios web AliasPageAlreadyExists=La página Alias %s ya existe @@ -66,9 +63,5 @@ CSSContentTooltipHelp=Ingrese aquí el contenido CSS. Para evitar cualquier conf LinkAndScriptsHereAreNotLoadedInEditor=Advertencia: Este contenido se genera solo cuando se accede al sitio desde un servidor. No se usa en modo Edición, por lo que si necesita cargar archivos javascript también en modo edición, simplemente agregue su etiqueta 'script src = ...' en la página. EditInLineOnOff=El modo 'Editar en línea' es %s ShowSubContainersOnOff=El modo para ejecutar 'contenido dinámico' es %s -MainLanguage=Lenguaje principal -OtherLanguages=Otros idiomas UseManifest=Proporcione un archivo manifest.json -PublicAuthorAlias=Alias de autor público -AvailableLanguagesAreDefinedIntoWebsiteProperties=Los idiomas disponibles se definen en las propiedades del sitio web -ReplacementDoneInXPages=Reemplazo realizado en páginas o contenedores %s +RSSFeed=RSS diff --git a/htdocs/langs/es_EC/withdrawals.lang b/htdocs/langs/es_EC/withdrawals.lang index 0b7b0147e43..8359cb4ae02 100644 --- a/htdocs/langs/es_EC/withdrawals.lang +++ b/htdocs/langs/es_EC/withdrawals.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Área de órdenes de pago por débito directo -SuppliersStandingOrdersArea=Área de pedidos de pago directo de crédito StandingOrdersPayment=Ordenes de pago por débito directo StandingOrderPayment=Orden de pago por domiciliación bancaria NewStandingOrder=Nueva orden de domiciliación bancaria @@ -9,19 +7,14 @@ WithdrawalsReceipts=Pedidos de domiciliación bancaria WithdrawalReceipt=Orden de dèbito directo LastWithdrawalReceipts=Últimos archivos de débito directo %s WithdrawalsLines=Líneas de pedido de débito directo -RequestStandingOrderToTreat=Solicitud de orden de pago por domiciliación bancaria para procesar -RequestStandingOrderTreated=Solicitud de orden de pago por domiciliación procesada NotPossibleForThisStatusOfWithdrawReceiptORLine=Todavía no es posible. El estado de retiro debe establecerse en "acreditado" antes de declarar el rechazo en líneas específicas. -NbOfInvoiceToWithdraw=Nº de factura calificada con orden de domiciliación bancaria en espera. NbOfInvoiceToWithdrawWithInfo=Número de facturas de clientes con órdenes de pago de débito directo que tienen información de cuenta bancaria definida InvoiceWaitingWithdraw=Factura en espera de domiciliación bancaria AmountToWithdraw=Cantidad a retirar -WithdrawsRefused=Deposito directo rechazado -NoInvoiceToWithdraw=No hay factura de cliente con "solicitudes de débito directo" abierta. Vaya a la pestaña '%s' en la tarjeta de factura para hacer una solicitud. ResponsibleUser=Usuario responsable WithdrawalsSetup=Configuración de pago por débito directo WithdrawStatistics=Estadísticas de pago por débito directo -WithdrawRejectStatistics=Estadísticas de rechazo de pagos por débito directo +Rejects=Rechazos LastWithdrawalReceipt=Últimos recibos de débito directo %s MakeWithdrawRequest=Realizar una solicitud de pago por débito directo WithdrawRequestsDone=%s solicitudes de pago por débito directo registradas @@ -32,6 +25,7 @@ ClassCreditedConfirm=¿Seguro que desea clasificar este recibo de retiro como ac TransData=Fecha de transmisión TransMetod=Método de transmisión StandingOrderReject=Emitir un rechazo +WithdrawsRefused=Deposito directo rechazado WithdrawalRefused=Retiro rechazado WithdrawalRefusedConfirm=¿Está seguro de que desea introducir un rechazo de retiro para la sociedad RefusedData=Fecha de rechazo @@ -67,7 +61,6 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene al m DoStandingOrdersBeforePayments=Esta pestaña le permite solicitar una orden de pago por débito directo. Una vez hecho esto, vaya al menú de Banco-> órdenes de Débito Directo para administrar la orden de débito directo. Cuando se cierra la orden de pago, el pago en factura se registra automáticamente y la factura se cierra si el resto a pagar es nulo. WithdrawalFile=Archivo de retiro SetToStatusSent=Establecer en estado "Archivo enviado" -ThisWillAlsoAddPaymentOnInvoice=Esto también registrará los pagos a facturas y los clasificará como "Pago" si permanecen a pagar es nulo StatisticsByLineStatus=Estadísticas por estado de las líneas RUMLong=Referencia única de mandato RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia de mandato única) una vez que se guarde la información de la cuenta bancaria. diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index e1bac9ea90f..e7240dd7f6d 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Los pasos siguientes deben hacerse para ahorrar AccountancyAreaDescActionFreq=Las siguientes acciones se ejecutan normalmente cada mes, semana o día en empresas muy grandes... AccountancyAreaDescJournalSetup=PASO %s: Cree o compruebe el contenido de sus diarios desde el menu %s -AccountancyAreaDescChartModel=PASO %s: Crear un modelo de plan general contable desde el menú %s -AccountancyAreaDescChart=PASO %s: Crear o comprobar el contenido de su plan general contable desde el menú %s +AccountancyAreaDescChartModel=PASO %s: Verifique que exista un modelo de plan de cuenta 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 las cuentas contables para cada tasa de IVA. Para ello puede usar el menú %s. AccountancyAreaDescDefault=PASO %s: Defina las cuentas contables predeterminadas. Para ello puede utilizar el menú %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Líneas de facturas contabilizadas ExpenseReportLines=Líneas de informes de gastos a contabilizar ExpenseReportLinesDone=Líneas de informes de gastos contabilizadas IntoAccount=Contabilizar línea con la cuenta contable -TotalForAccount=Total for accounting account +TotalForAccount=Total para cuenta contable Ventilate=Contabilizar @@ -169,15 +169,15 @@ DONATION_ACCOUNTINGACCOUNT=Cuenta contable para registrar donaciones ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Cuenta contable para registrar subscripciones ACCOUNTING_PRODUCT_BUY_ACCOUNT=Cuenta contable predeterminada para los productos comprados (si no se define en el producto) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los productos comprados en EEC (se usa si no se define en la hoja de productos) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos comprados e importados fuera de la EEC (usado si no está definido en la hoja de productos) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Cuenta contable predeterminada para los productos vendidos (si no se define en el producto) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Cuenta contable predeterminada para los productos vendidos en la CEE (si no se define en el producto) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable predeterminada para los productos vendidos fuera de la CEE (si no se define en el producto) ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta contable predeterminada para los servicios comprados (si no se define en el servicio) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los servicios comprados en EEC (utilizada si no está definida en la hoja de servicios) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios comprados e importados fuera de la CEE (se usa si no se define en la hoja de servicios) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos (si no se define en el servico) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos en la CEE (si no se define en el servico) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos fuera de la CEE (si no se define en el producto) @@ -234,15 +234,15 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercero desconoci ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Cuenta del tercero desconocida o tercero desconocido. Error de bloqueo UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Cuenta del tercero desconocida y cuenta de espera no definida. Error de bloqueo PaymentsNotLinkedToProduct=Pagos no vinculados a un producto/servicio -OpeningBalance=Opening balance -ShowOpeningBalance=Show opening balance -HideOpeningBalance=Hide opening balance -ShowSubtotalByGroup=Show subtotal by group +OpeningBalance=Saldo inicial +ShowOpeningBalance=Mostrar saldo inicial +HideOpeningBalance=Ocultar saldo inicial +ShowSubtotalByGroup=Mostrar subtotal por grupo Pcgtype=Grupo de cuenta -PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +PcgtypeDesc=Los grupos de cuentas se utilizan como criterios predefinidos de "filtro" y "agrupación" para algunos informes contables. Por ejemplo, 'INGRESOS' o 'GASTOS' se utilizan como grupos para las cuentas contables de productos para construir el informe de gastos / ingresos. -Reconcilable=Reconcilable +Reconcilable=Reconciliable TotalVente=Total facturación antes de impuestos TotalMarge=Total margen ventas @@ -317,13 +317,13 @@ Modelcsv_quadratus=Exportar a Quadratus QuadraCompta Modelcsv_ebp=Exportar a EBP Modelcsv_cogilog=Eportar a Cogilog Modelcsv_agiris=Exportar a Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) -Modelcsv_LDCompta10=Export for LD Compta (v10 & higher) +Modelcsv_LDCompta=Exportar para LD Compta (v9 y superior) (En pruebas) +Modelcsv_LDCompta10=Exportar para LD Compta (v10 & superior) Modelcsv_openconcerto=Exportar a OpenConcerto (En pruebas) Modelcsv_configurable=Exportación CSV Configurable Modelcsv_FEC=Exportación FEC Modelcsv_Sage50_Swiss=Exportación a Sage 50 Suiza -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta ChartofaccountsId=Id plan contable ## Tools - Init accounting account on product / service @@ -336,14 +336,14 @@ OptionModeProductSell=Modo ventas OptionModeProductSellIntra=Modo Ventas exportación CEE OptionModeProductSellExport=Modo ventas exportación otros paises OptionModeProductBuy=Modo compras -OptionModeProductBuyIntra=Mode purchases imported in EEC -OptionModeProductBuyExport=Mode purchased imported from other countries +OptionModeProductBuyIntra=Modo compras importadas en la EEC +OptionModeProductBuyExport=Modo compras importadas desde otros países OptionModeProductSellDesc=Mostrar todos los productos con cuenta contable de ventas OptionModeProductSellIntraDesc=Mostrar todos los productos con cuenta contable para ventas en CEE. OptionModeProductSellExportDesc=Mostrar todos los productos con cuenta contable para otras ventas al exterior. OptionModeProductBuyDesc=Mostrar todos los productos con cuenta contable de compras -OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC. -OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases. +OptionModeProductBuyIntraDesc=Mostrar todos los productos con cuenta contable para compras en EEC. +OptionModeProductBuyExportDesc=Mostrar todos los productos con cuenta contable para otras compras en el extranjero. CleanFixHistory=Eliminar código contable de las líneas que no existen en el plan contable CleanHistory=Resetear todos los vínculos del año seleccionado PredefinedGroups=Grupos personalizados @@ -354,8 +354,8 @@ AccountRemovedFromGroup=Cuenta eliminada del grupo SaleLocal=Venta local SaleExport=Venta de exportación SaleEEC=Venta en CEE -SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed. +SaleEECWithVAT=Venta en CEE con un IVA no nulo, por lo que suponemos que esto NO es una venta intracomunitaria y la cuenta sugerida es la cuenta de producto estándar. +SaleEECWithoutVATNumber=Venta en CEE sin IVA pero el ID de IVA de un tercero no está definido. Recurrimos a la cuenta del producto para ventas estándar. Puede corregir el ID de IVA de un tercero o la cuenta del producto si es necesario. ## Dictionary Range=Rango de cuenta contable diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 3256a1806f7..c38a630f73a 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Servidor web usuario/grupo NoSessionFound=Parece que su PHP no puede listar las sesiones activas. El directorio de salvaguardado de sesiones (%s) puede estar protegido (por ejemplo, por los permisos del sistema operativo o por la directiva open_basedir de su PHP). DBStoringCharset=Codificación de la base de datos para el almacenamiento de datos DBSortingCharset=Codificación de la base de datos para clasificar los datos -HostCharset=Host charset +HostCharset=Conjunto de carácteres del host ClientCharset=Juego de caracteres del cliente ClientSortingCharset=Colación de clientes WarningModuleNotActive=El módulo %s debe ser activado @@ -100,9 +100,9 @@ NoMaxSizeByPHPLimit=Ninguna limitación interna en su servidor PHP MaxSizeForUploadedFiles=Tamaño máximo de los documentos a subir (0 para prohibir la subida) UseCaptchaCode=Utilización de código gráfico (CAPTCHA) en la página de inicio de sesión AntiVirusCommand=Ruta completa hacia el comando del antivirus -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Ejemplo para ClamAv Daemon (requiere clamav-daemon): //usr/bin/clamdscan
Ejemplo para ClamWin (muy lento): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe\n  AntiVirusParam= Parámetros complementarios en la línea de comandos -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Ejemplo para ClamAv Daemon: --fdpass
Ejemplo para ClamWin: -- database="CC:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Configuración del módulo Contabilidad UserSetup=Configuración gestión de los usuarios MultiCurrencySetup=Configuración del módulo multidivisa @@ -200,14 +200,14 @@ FeatureDisabledInDemo=Opción deshabilitada en demo FeatureAvailableOnlyOnStable=Funcionaliad disponible únicamente en versiones oficiales estables BoxesDesc=Los paneles son componentes que muestran algunos datos que pueden añadirse para personalizar algunas páginas. Puede elegir entre mostrar o no el panel mediante la selección de la página de destino y haciendo clic en 'Activar', o haciendo clic en la papelera para desactivarlo. OnlyActiveElementsAreShown=Sólo los elementos de módulos activados son mostrados. -ModulesDesc=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. +ModulesDesc=Los módulos/aplicaciones definen qué funcionalidad está habilitada en el software. Algunos módulos requieren permisos que se deben conceder a los usuarios después de activar el módulo. Haga clic en el botón de on/off %sde cada módulo para habilitar o deshabilitar un módulo / aplicación. ModulesMarketPlaceDesc=Puede encontrar más módulos para descargar en sitios web externos en Internet ... ModulesDeployDesc=Si los permisos en su sistema de archivos lo permiten, puede utilizar esta herramienta para instalar un módulo externo. El módulo estará entonces visible en la pestaña %s. ModulesMarketPlaces=Buscar módulos externos... ModulesDevelopYourModule=Desarrolle sus propios módulos ModulesDevelopDesc=Usted puede desarrollar o encontrar un socio para que le desarrolle su módulo personalizado DOLISTOREdescriptionLong=En lugar de ir al sitio web www.dolistore.com para encontrar un módulo externo, puede utilizar esta herramienta incorporada que hará la búsqueda en la tienda por usted (puede ser lento, es necesario acceso a Internet)... -NewModule=Nuevo +NewModule=Nuevo módulo FreeModule=Gratis CompatibleUpTo=Compatible con la versión %s NotCompatible=Este módulo no parece compatible con su Dolibarr %s (Min %s - Max %s). @@ -219,11 +219,11 @@ Nouveauté=Novedad AchatTelechargement=Comprar/Descargar GoModuleSetupArea=Para instalar un nuevo módulo, vaya al área de configuración de módulos en %s. DoliStoreDesc=DoliStore, el sitio oficial de módulos complementarios y para Dolibarr ERP/CRM -DoliPartnersDesc=Lista de empresas que ofrecen módulos y desarrollos a medida.
Nota: dado que Dolibarr es una aplicación de código abierto, cualquier persona con experiencia en programación PHP puede desarrollar un módulo. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Sitios web de referencia para encontrar más módulos (no core)... DevelopYourModuleDesc=Algunas soluciones para desarrollar su propio módulo ... URL=URL -RelativeURL=Relative URL +RelativeURL=URL Relativa BoxesAvailable=Paneles disponibles BoxesActivated=Paneles activados ActivateOn=Activar en @@ -331,7 +331,7 @@ SetupIsReadyForUse=La instalación del módulo ha concluido. Sin embargo, debe h NotExistsDirect=El directorio raíz alternativo no está configurado 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, plug-ins y plantillas personalizadas.
Sólo cree un directorio en la raíz de Dolibarr (por ejemplo: custom).
InfDirExample=
Luego indíquelo en el archivo conf.php
$ dolibarr_main_url_root_alt = 'http://miservidor /custom'
$ dolibarr_main_document_root_alt = '/ruta/de/dolibarr/htdocs/custom '
Si estas líneas se encuentran comentadas con "#", para habilitarlas, basta con descomentar eliminando el carácter "#". -YouCanSubmitFile=You can upload the .zip file of module package from here: +YouCanSubmitFile=Puede cargar el archivo .zip del paquete del módulo desde aquí: CurrentVersion=Versión actual de Dolibarr CallUpdatePage=Vaya a la página de actualización de la estructura de la base de datos y sus datos: %s. LastStableVersion=Última versión estable @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Casilla de verificación ExtrafieldCheckBoxFromList=Casilla de selección de tabla ExtrafieldLink=Objeto adjuntado ComputedFormula=Campo combinado -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

Example 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=Puede introducir aquí una fórmula utilizando otras propiedades de objeto o cualquier código PHP para obtener un valor calculado dinámico. Puede utilizar cualquier fórmula compatible con PHP, incluido el operador de condición "?" y los objetos globales siguientes: $db, $conf, $langs, $mysoc, $user, $object.
ATENCIÓN: Sólo algunas propiedades de $object pueden estar disponibles. Si necesita propiedades no cargadas, solo busque el objeto en su fórmula como en el segundo ejemplo.
Usando un campo computado significa que no puede ingresar ningún valor de la interfaz. Además, si hay un error de sintaxis, la fórmula puede devolver nada.

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

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

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Proyecto principal no encontrado' Computedpersistent=Almacenar campo combinado 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 podría ser incorrecto! ExtrafieldParamHelpPassword=Mantener este campo vacío significa que el valor se almacenará sin cifrado (el campo permanecerá solo oculto con estrellas en la pantalla).
Establezca aquí el valor 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será solo el hash, no hay forma de recuperar el valor original) @@ -446,12 +446,13 @@ LinkToTestClickToDial=Introduzca un número de teléfono al que llamar para prob RefreshPhoneLink=Refrescar enlace LinkToTest=Enlace seleccionable para el usuario %s (haga clic en el número para probar) KeepEmptyToUseDefault=Deje este campo vacío para usar el valor por defecto +KeepThisEmptyInMostCases=En la mayoría de los casos, puede mantener este campo vacío. DefaultLink=Enlace por defecto SetAsDefault=Establecer por defecto ValueOverwrittenByUserSetup=Atención: Este valor puede ser sobreescrito por un valor específico de la configuración del usuario (cada usuario puede tener su propia url clicktodial) -ExternalModule=External module -InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Inicialización masiva de códigos de barras para terceros +ExternalModule=Módulo externo +InstalledInto=Instalado en el directorio %s +BarcodeInitForThirdparties=Inicialización masiva de códigos de barras para terceros BarcodeInitForProductsOrServices=Inicio masivo de código de barras para productos o servicios CurrentlyNWithoutBarCode=Actualmente tiene %s registros de %s %s sin código de barras definido. InitEmptyBarCode=Iniciar valor para los %s registros vacíos @@ -541,8 +542,8 @@ Module54Name=Contratos/Suscripciones Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes) Module55Name=Códigos de barras Module55Desc=Gestión de los códigos de barras -Module56Name=Telefonía -Module56Desc=Gestión de la telefonía +Module56Name=Pago por transferencia bancaria +Module56Desc=Gestión de pagos mediante órdenes de transferencia bancaria. Incluye la generación de archivos SEPA para países europeos. Module57Name=Pagos por domiciliaciones Module57Desc=Gestión de domiciliaciones. También incluye generación de archivo SEPA para los países europeos. Module58Name=ClickToDial @@ -646,7 +647,7 @@ Module50000Desc=Ofrece a los clientes pagos online vía PayBox (tarjetas de cré Module50100Name=POS SimplePOS Module50100Desc=Módulo Punto de Venta SimplePOS (TPV simple). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Módulo de punto de venta TakePOS (TPV con pantalla táctil, para tiendas, bares o restaurantes). Module50200Name=Paypal Module50200Desc=Ofrece a los clientes pagos online vía PayPal (cuenta PayPal o tarjetas de crédito/débito). Esto puede ser usado para permitir a sus clientes realizar pagos libres o pagos en un objeto de Dolibarr en particular (factura, pedido...) Module50300Name=Stripe @@ -951,7 +952,7 @@ DictionaryCanton=Provincias DictionaryRegion=Regiones DictionaryCountry=Países DictionaryCurrency=Monedas -DictionaryCivility=Honorific titles +DictionaryCivility=Título honorífico DictionaryActions=Tipos de eventos de la agenda DictionarySocialContributions=Tipos de impuestos sociales o fiscales DictionaryVAT=Tasa de IVA (Impuesto sobre ventas en EEUU) @@ -992,7 +993,7 @@ VATIsNotUsedDesc=El tipo de IVA propuesto por defecto es 0. Este es el caso de a VATIsUsedExampleFR=En Francia, se trata de las sociedades u organismos que eligen un régimen fiscal general (General simplificado o General normal), régimen en el cual se declara el IVA. VATIsNotUsedExampleFR=En Francia, se trata de asociaciones exentas de IVA o sociedades, organismos o profesiones liberales que han elegido el régimen fiscal de módulos (IVA en franquicia), pagando un IVA en franquicia sin hacer declaración de IVA. Esta elección hace aparecer la anotación "IVA no aplicable - art-293B del CGI" en las facturas. ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Tipo de impuesto de venta LTRate=Tasa LocalTax1IsNotUsed=No sujeto LocalTax1IsUsedDesc=Uso de un 2º tipo de impuesto (Distinto del IVA) @@ -1016,9 +1017,9 @@ LocalTax2IsUsedDescES=El tipo de IRPF propuesto por defecto en las creaciones de LocalTax2IsNotUsedDescES=El tipo de IRPF propuesto por defecto es 0. Final de regla. LocalTax2IsUsedExampleES=En España, se trata de personas físicas: autónomos y profesionales independientes que prestan servicios y empresas que han elegido el régimen fiscal de módulos. LocalTax2IsNotUsedExampleES=En España, se trata de empresas no sujetas al régimen fiscal de módulos. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +RevenueStampDesc=El "sello de impuestos" o "sello de ingresos" es un impuesto fijo que usted paga por factura (no depende del monto de la factura). También puede ser un porcentaje de impuestos, pero usar el segundo o tercer tipo de impuesto es mejor para los impuestos porcentuales, ya que los timbres fiscales no proporcionan ningún informe. Solo unos pocos países utilizan este tipo de impuesto. +UseRevenueStamp=Usar un sello fiscal +UseRevenueStampExample=El valor del sello fiscal se define de manera predeterminada en la configuración de los diccionarios. (%s - %s - %s) CalcLocaltax=Informes de impuestos locales CalcLocaltax1=Ventas - Compras CalcLocaltax1Desc=Los informes se calculan con la diferencia entre las ventas y las compras @@ -1026,11 +1027,11 @@ CalcLocaltax2=Compras CalcLocaltax2Desc=Los informes se basan en el total de las compras CalcLocaltax3=Ventas CalcLocaltax3Desc=Los informes se basan en el total de las ventas -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Según la configuración de impuestos (Ver %s - %s - %s), su país no necesita usar ese tipo de impuesto LabelUsedByDefault=Etiqueta que se utilizará si no se encuentra traducción para este código LabelOnDocuments=Etiqueta sobre documentos LabelOrTranslationKey=Clave de traducción o cadena -ValueOfConstantKey=Value of a configuration constant +ValueOfConstantKey=Valor de una constante de configuración NbOfDays=Nº de días AtEndOfMonth=A fin de mes CurrentNext=Actual/Siguiente @@ -1117,8 +1118,8 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de gastos no aprobado Delays_MAIN_DELAY_HOLIDAYS=Días libres a aprobar SetupDescription1=Antes de comenzar a usar Dolibarr, se deben definir algunos parámetros iniciales y habilitar/configurar los módulos. SetupDescription2=Las siguientes dos secciones son obligatorias (las dos primeras entradas en el menú Configuración): -SetupDescription3=%s -> %s

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

This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. +SetupDescription3=%s -> %s

Parámetros básicos para personalizar el comportamiento por defecto de Dolibarr (por ejemplo características relacionadas con el país) +SetupDescription4=%s -> %s

Este software es una colección de varios módulos/aplicaciones. Los módulos relevantes para tus necesidades deben ser activados y configurados. Se añadirán nuevas funcionalidades a los menús por cada módulo que se active. SetupDescription5=Las otras entradas de configuración gestionan parámetros opcionales. LogEvents=Auditoría de la seguridad de eventos Audit=Auditoría @@ -1137,7 +1138,7 @@ LogEventDesc=Activa el registro de eventos de seguridad aquí. Los administrador AreaForAdminOnly=Los parámetros de configuración solamente pueden ser tratados por usuarios administrador SystemInfoDesc=La información del sistema es información técnica accesible solamente en solo lectura a los administradores. SystemAreaForAdminOnly=Esta área está disponible solo para usuarios administradores. Los permisos de usuario de Dolibarr no pueden cambiar esta restricción. -CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done. +CompanyFundationDesc=Edite la información de su empresa/organización. Haga clic en el botón "%s" en la parte inferior de la página cuando haya terminado. AccountantDesc=Si tiene un contable/asesor externo, puede editar aquí su información. AccountantFileNumber=Código contable DisplayDesc=Los parámetros que afectan el aspecto y el comportamiento de Dolibarr se pueden modificar aquí. @@ -1145,6 +1146,7 @@ AvailableModules=Módulos disponibles ToActivateModule=Para activar los módulos, vaya al área de Configuración (Inicio->Configuración->Módulos). SessionTimeOut=Timeout de sesiones 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 limpieza de sesiones solo se realiza por un proceso externo).
Nota: en algunos servidores con un mecanismo externo de limpieza de sesión (cron bajo debian, ubuntu...), las sesiones se pueden destruir después de un período definido por una configuración externa, sin importar el valor introducido aquí +SessionsPurgedByExternalSystem=Las sesiones en este servidor parecen ser limpiadas por un mecanismo externo (cron bajo debian, ubuntu ...), probablemente cada %s segundos (= valor del parámetro session.gc_maxlifetime), por lo que cambiar el valor aquí no tiene ningún efecto. Debe solicitar al administrador del servidor que cambie el retraso de la sesión. TriggersAvailable=Triggers disponibles TriggersDesc=Los triggers son archivos que, une vez copiados en el directorio htdocs/core/triggers, modifican el comportamiento del workflow de Dolibarr. Realizan acciones suplementarias, desencadenadas por los eventos Dolibarr (creación de empresa, validación factura...). TriggerDisabledByName=Triggers de este archivo desactivados por el sufijo -NORUN en el nombre del archivo. @@ -1262,6 +1264,7 @@ FieldEdition=Edición del campo %s FillThisOnlyIfRequired=Ejemplo: +2 (Complete sólo si se registra una desviación del tiempo en la exportación) GetBarCode=Obtener código de barras NumberingModules=Módulos de numeración +DocumentModules=Modelos de documento ##### Module password generation PasswordGenerationStandard=Devuelve una contraseña generada por el algoritmo interno Dolibarr: 8 caracteres, números y caracteres en minúsculas mezcladas. PasswordGenerationNone=No sugerir ninguna contraseña generada. La contraseña debe ser escrita manualmente. @@ -1273,9 +1276,9 @@ RuleForGeneratedPasswords=Reglas para generar y validar contraseñas. DisableForgetPasswordLinkOnLogonPage=No mostrar el vínculo "Contraseña olvidada" en la página de login UsersSetup=Configuración del módulo usuarios UserMailRequired=E-Mail necesario para crear un usuario nuevo -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +UserHideInactive=Ocultar usuarios inactivos de todas las listas de usuarios combinados (No recomendado: esto puede significar que no podrá filtrar o buscar usuarios antiguos en algunas páginas) +UsersDocModules=Plantillas de documentos para documentos generados a partir del registro de usuario +GroupsDocModules=Plantillas de documentos para documentos generados a partir de un registro de grupo ##### HRM setup ##### HRMSetup=Setup del módulo RRHH ##### Company setup ##### @@ -1307,7 +1310,7 @@ BillsPDFModules=Modelo de documento de facturas BillsPDFModulesAccordindToInvoiceType=Modelos de documentos de facturas según tipo de factura PaymentsPDFModules=Modelo de documentos de pago ForceInvoiceDate=Forzar la fecha de factura a la fecha de validación -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined on the invoice +SuggestedPaymentModesIfNotDefinedInInvoice=Forma de pago sugerida en la factura por defecto si no está definido en la factura SuggestPaymentByRIBOnAccount=Sugerir el pago por domiciliación en la cuenta SuggestPaymentByChequeToAddress=Sugerir el pago por cheque a FreeLegalTextOnInvoices=Texto libre en facturas @@ -1319,7 +1322,7 @@ SupplierPaymentSetup=Configuración de pagos a proveedores PropalSetup=Configuración del módulo Presupuestos ProposalsNumberingModules=Módulos de numeración de presupuestos ProposalsPDFModules=Modelos de documentos de presupuestos -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Forma de pago sugerida en la propuesta por defecto si no está definido en el presupuesto FreeLegalTextOnProposal=Texto libre en presupuestos WatermarkOnDraftProposal=Marca de agua en presupuestos borrador (en caso de estar vacío) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Preguntar por cuenta bancaria a usar en el presupuesto @@ -1334,7 +1337,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Almacén a utilizar para el pedido ##### Suppliers Orders ##### BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Preguntar por cuenta bancaria a usar en el pedido a proveedor ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sale order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Forma de pago sugerida en pedido de venta por defecto si no está definido en el pedido OrdersSetup=Configuración de Gestión de Pedidos OrdersNumberingModules=Módulos de numeración de los pedidos OrdersModelModule=Modelos de documentos de pedidos @@ -1699,9 +1702,9 @@ CashDeskIdWareHouse=Forzar y restringir almacén a usar para decremento de stock StockDecreaseForPointOfSaleDisabled=Decremento de stock desde TPV desactivado StockDecreaseForPointOfSaleDisabledbyBatch=El decremento de stock en TPV no es compatible con la gestión de lotes (actualmente activado), por lo que el decremento de stock está desactivado. CashDeskYouDidNotDisableStockDecease=Usted no ha desactivado el decremento de stock al hacer una venta desde TPV. Así que se requiere un almacén. -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) +CashDeskForceDecreaseStockLabel=La disminución de existencias para productos por lotes fue forzada. +CashDeskForceDecreaseStockDesc=Disminuir primero lo más antiguo en las fechas de compra y venta. +CashDeskReaderKeyCodeForEnter=Código de clave para "Enter" definido en el lector de código de barras (Ejemplo: 13) ##### Bookmark ##### BookmarkSetup=Configuración del módulo Marcadores BookmarkDesc=Este módulo le permite gestionar los enlaces y accesos directos. También permite añadir cualquier página de Dolibarr o enlace web en el menú de acceso rápido de la izquierda. @@ -1805,7 +1808,7 @@ TopMenuDisableImages=Ocultar imágenes en el Menú superior LeftMenuBackgroundColor=Color de fondo para el Menú izquierdo BackgroundTableTitleColor=Color de fondo para Tabla título línea BackgroundTableTitleTextColor=Color del texto para la línea de título de la tabla -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Color del texto para la línea de enlace del título de la tabla BackgroundTableLineOddColor=Color de fondo para líneas de tabla odd BackgroundTableLineEvenColor=Color de fondo para todas las líneas de tabl MinimumNoticePeriod=Período mínimo de notificación (Su solicitud de licencia debe hacerse antes de este período) @@ -1844,6 +1847,7 @@ MailToThirdparty=Terceros MailToMember=Miembros MailToUser=Usuarios MailToProject=Página proyectos +MailToTicket=Tickets ByDefaultInList=Mostrar por defecto en modo lista YouUseLastStableVersion=Usa la última versión estable TitleExampleForMajorRelease=Ejemplo de mensaje que puede usar para anunciar esta release mayor (no dude en usarlo en sus sitios web) @@ -1939,7 +1943,7 @@ WithoutDolTrackingID=Referencia Dolibarr no encontrada en ID de mensaje FormatZip=Código postal MainMenuCode=Código de entrada del menú (menú principal) ECMAutoTree=Mostrar arbol automático GED -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=Defina valores para usar para la acción, o cómo extraer valores. Por ejemplo:
objproperty1=SET:valor a establecer
objproperty2=SET:un valor con reemplazo de __objproperty1__
objproperty3=SETIFEMPTY:valor utilizado si objproperty3 aún no está definido
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:El nombre de mi empresa es\\s([^\\s]*)

Utilizar el carácter ; como separador para extraer o configurar varias propiedades. OpeningHours=Horario de apertura OpeningHoursDesc=Teclea el horario normal de apertura de tu compañía. ResourceSetup=Configuración del módulo Recursos @@ -1973,7 +1977,7 @@ WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores altos ralentiz ModuleActivated=El módulo %s está activado y ralentiza dramáticamente la interfaz EXPORTS_SHARE_MODELS=Los modelos de exportación son compartidos con todos. ExportSetup=Configuración del módulo de exportación. -ImportSetup=Setup of module Import +ImportSetup=Configuración del módulo Importar InstanceUniqueID=ID única de la instancia SmallerThan=Menor que LargerThan=Mayor que @@ -1994,9 +1998,10 @@ MakeAnonymousPing=Realice un Ping anónimo '+1' al servidor de la base Dolibarr FeatureNotAvailableWithReceptionModule=Función no disponible cuando el módulo Recepción está activado EmailTemplate=Plantilla para e-mail EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta 'Referencias' que coincida con esta sintaxis -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. -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. +PDF_USE_ALSO_LANGUAGE_CODE=Si desea duplicar algunos textos en su PDF en 2 idiomas diferentes en el mismo PDF generado, debe establecer aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar el PDF y este ( solo unas pocas plantillas PDF lo admiten). Mantener vacío para 1 idioma por PDF. +FafaIconSocialNetworksDesc=Ingrese aquí el código de un ícono FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. +FeatureNotAvailableWithReceptionModule=Función no disponible cuando el módulo Recepción está activado +RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para que esté disponible en el tablero +JumpToBoxes=Vaya a Configuración -> Módulos +MeasuringUnitTypeDesc=Utilice aquí un valor como "tamaño", "superficie", "volumen", "peso", "tiempo" +MeasuringScaleDesc=La escala es el número de lugares 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. diff --git a/htdocs/langs/es_ES/agenda.lang b/htdocs/langs/es_ES/agenda.lang index e4cf7996c69..5c8ec87dac3 100644 --- a/htdocs/langs/es_ES/agenda.lang +++ b/htdocs/langs/es_ES/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervención %s enviada por e-mail ProposalDeleted=Presupuesto eliminado OrderDeleted=Pedido eliminado InvoiceDeleted=Factura eliminada +DraftInvoiceDeleted=Borrador de factura eliminado PRODUCT_CREATEInDolibarr=Producto %s creado PRODUCT_MODIFYInDolibarr=Producto %s modificado PRODUCT_DELETEInDolibarr=Producto %s eliminado HOLIDAY_CREATEInDolibarr=Solicitud de días libres %s creado HOLIDAY_MODIFYInDolibarr=Solicitud de días libres %s modificada HOLIDAY_APPROVEInDolibarr=Solicitud de días libres %s aprobada -HOLIDAY_VALIDATEDInDolibarr=Solicitud de días libres %s validada +HOLIDAY_VALIDATEInDolibarr=Solicitud de días libres %s validada HOLIDAY_DELETEInDolibarr=Solicitud de días libres %s eliminada EXPENSE_REPORT_CREATEInDolibarr=Informe de gastos %s creado EXPENSE_REPORT_VALIDATEInDolibarr=Informe de gastos %s validado @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=Lista de materiales desactivada BOM_REOPENInDolibarr=Lista de materiales reabierta BOM_DELETEInDolibarr=Lista de materiales eliminada MRP_MO_VALIDATEInDolibarr=OF validada +MRP_MO_UNVALIDATEInDolibarr=OF establecida en estado de borrador MRP_MO_PRODUCEDInDolibarr=OF fabricada MRP_MO_DELETEInDolibarr=OF eliminada +MRP_MO_CANCELInDolibarr=OF candelada ##### End agenda events ##### AgendaModelModule=Plantillas de documentos para eventos DateActionStart=Fecha de inicio @@ -151,3 +154,6 @@ EveryMonth=Cada mes DayOfMonth=Día del mes DayOfWeek=Día de la semana DateStartPlusOne=Fecha inicio +1 hora +SetAllEventsToTodo=Establecer todos los eventos para hacer +SetAllEventsToInProgress=Establecer todos los eventos en progreso +SetAllEventsToFinished=Establecer todos los eventos para finalizar diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index 9d4857d7501..97b9bf2e265 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -37,6 +37,8 @@ IbanValid=BAN válido IbanNotValid=BAN no válido StandingOrders=Domiciliaciones StandingOrder=Domiciliación +PaymentByBankTransfers=Pagos por transferencia bancaria +PaymentByBankTransfer=Pago por transferencia bancaria AccountStatement=Extracto AccountStatementShort=Extracto AccountStatements=Extractos diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index 0e13bb6e406..2c709e08d87 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -66,9 +66,9 @@ paymentInInvoiceCurrency=en la divisa de las facturas PaidBack=Reembolsado DeletePayment=Eliminar el pago ConfirmDeletePayment=¿Está seguro de querer eliminar este pago? -ConfirmConvertToReduc=Do you want to convert this %s into an available credit? +ConfirmConvertToReduc=¿Quiere convertir %s en crédito disponible? ConfirmConvertToReduc2=El importe se guardará entre todos los descuentos y podría utilizarse como un descuento para una factura actual o futura para este cliente. -ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit? +ConfirmConvertToReducSupplier=¿Quiere convertir %s en crédito disponible? ConfirmConvertToReducSupplier2=El importe se guardará entre todos los descuentos y podría utilizarse como un descuento para una factura actual o futura de este proveedor. SupplierPayments=Pagos a proveedor ReceivedPayments=Pagos recibidos @@ -212,10 +212,10 @@ AmountOfBillsByMonthHT=Importe de las facturas por mes (Sin IVA) UseSituationInvoices=Permitir factura de situación UseSituationInvoicesCreditNote=Permitir factura de situación de abono Retainedwarranty=Garantía retenida -AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices +AllowedInvoiceForRetainedWarranty=Garantía retenida utilizable en los siguientes tipos de facturas RetainedwarrantyDefaultPercent=Porcentaje predeterminado de garantía retenida -RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices -RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation +RetainedwarrantyOnlyForSituation=Haga que la "garantía retenida" esté disponible solo para facturas de situación +RetainedwarrantyOnlyForSituationFinal=En las facturas de situación, la deducción global de "garantía retenida" se aplica solo en la situación final ToPayOn=Para pagar en %s toPayOn=pagar en %s RetainedWarranty=Garantía retenida @@ -241,8 +241,6 @@ EscompteOffered=Descuento (Pronto pago) EscompteOfferedShort=Descuento SendBillRef=Envío de la factura %s SendReminderBillRef=Envío de la factura %s (recordatorio) -StandingOrders=Domiciliaciones -StandingOrder=Domiciliación NoDraftBills=Ninguna factura borrador NoOtherDraftBills=Ninguna otra factura borrador NoDraftInvoices=Sin facturas borrador @@ -385,7 +383,7 @@ GeneratedFromTemplate=Generado desde la plantilla de facturas recurrentes %s WarningInvoiceDateInFuture=Atención: la fecha de la factura es mayor que la fecha actual WarningInvoiceDateTooFarInFuture=Atención: la fecha de la factura es muy lejana a la fecha actual ViewAvailableGlobalDiscounts=Ver los descuentos disponibles -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Agrupar pagos por modo en informes # PaymentConditions Statut=Estado PaymentConditionShortRECEP=Acuse de recibo @@ -505,7 +503,7 @@ ToMakePayment=Pagar ToMakePaymentBack=Reembolsar ListOfYourUnpaidInvoices=Listado de facturas impagadas NoteListOfYourUnpaidInvoices=Nota: Este listado incluye solamente los terceros de los que usted es comercial. -RevenueStamp=Tax stamp +RevenueStamp=Sello fiscal YouMustCreateInvoiceFromThird=Esta opción solo está disponible al crear una factura desde la pestaña 'cliente' del tercero YouMustCreateInvoiceFromSupplierThird=Esta opción solo está disponible al crear una factura desde la pestaña 'proveedor' del tercero YouMustCreateStandardInvoiceFirstDesc=Tiene que crear una factura estandar antes de convertirla a "plantilla" para crear una nueva plantilla de factura @@ -571,4 +569,7 @@ AutoFillDateTo=Establecer fecha de finalización para la línea de servicio con AutoFillDateToShort=Definir fecha de finalización MaxNumberOfGenerationReached=Máximo número de generaciones alcanzado BILL_DELETEInDolibarr=Factura eliminada -BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +BILL_SUPPLIER_DELETEInDolibarr=Factura de proveedor eliminada +UnitPriceXQtyLessDiscount=Precio unitario x Cantidad - Descuento +CustomersInvoicesArea=Área de facturación a clientes +SupplierInvoicesArea=Área de facturación de proveedores diff --git a/htdocs/langs/es_ES/blockedlog.lang b/htdocs/langs/es_ES/blockedlog.lang index d18c47c2657..3e23cf955d5 100644 --- a/htdocs/langs/es_ES/blockedlog.lang +++ b/htdocs/langs/es_ES/blockedlog.lang @@ -8,7 +8,7 @@ BrowseBlockedLog=Registros inalterables ShowAllFingerPrintsMightBeTooLong=Mostrar todos los registros archivados (puede ser largo) ShowAllFingerPrintsErrorsMightBeTooLong=Mostrar todos los registros de archivo no válidos (puede ser largo) DownloadBlockChain=Descargar huellas dactilares -KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists). +KoCheckFingerprintValidity=La entrada de registro archivada no es válida. Significa que alguien (¿un pirata informático?) ha modificado algunos datos de este registro después de que fue grabado, o ha borrado el registro archivado anterior (verifique que exista esa línea con # anterior). OkCheckFingerprintValidity=El registro archivado es válido. Significa que no se modificó ningún dato en esta línea y el registro sigue a la anterior. OkCheckFingerprintValidityButChainIsKo=El registro archivado parece válido en comparación con el anterior, pero la cadena se dañó anteriormente. AddedByAuthority=Almacenado en autoridad remota diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang index fe99949fbba..f25225d400b 100644 --- a/htdocs/langs/es_ES/boxes.lang +++ b/htdocs/langs/es_ES/boxes.lang @@ -27,8 +27,8 @@ BoxTitleLastSuppliers=Últimos %s proveedores registrados BoxTitleLastModifiedSuppliers=Últimos %sproveedores modificados BoxTitleLastModifiedCustomers=Últimos %s clientes modificados BoxTitleLastCustomersOrProspects=Últimos %s clientes o clientes potenciales -BoxTitleLastCustomerBills=Últimas %s facturas a clientes -BoxTitleLastSupplierBills=Últimas %s facturas de proveedores +BoxTitleLastCustomerBills=Últimas %s facturas de clientes modificadas +BoxTitleLastSupplierBills=Últimas %s facturas de proveedor modificadas BoxTitleLastModifiedProspects=Últimos %s presupuestos modificados BoxTitleLastModifiedMembers=Últimos %s miembros BoxTitleLastFicheInter=Últimas %s intervenciones modificadas diff --git a/htdocs/langs/es_ES/cashdesk.lang b/htdocs/langs/es_ES/cashdesk.lang index c348ec90580..13fb94946f4 100644 --- a/htdocs/langs/es_ES/cashdesk.lang +++ b/htdocs/langs/es_ES/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Añadir este artículo RestartSelling=Retomar la venta SellFinished=Venta completada PrintTicket=Imprimir -SendTicket=Send ticket +SendTicket=Enviar ticket NoProductFound=Ningún artículo encontrado ProductFound=Producto encontrado NoArticle=Ningún artículo @@ -49,7 +49,7 @@ Footer=Pié de página AmountAtEndOfPeriod=Importe al final del período (día, mes o año) TheoricalAmount=Importe teórico RealAmount=Importe real -CashFence=Cash fence +CashFence=Cierre de caja CashFenceDone=Cierre de caja realizado para el período. NbOfInvoices=Nº de facturas Paymentnumpad=Tipo de Pad para introducir el pago. @@ -60,9 +60,9 @@ TakeposNeedsCategories=TakePOS necesita categorías de productos para trabajar OrderNotes=Pedidos CashDeskBankAccountFor=Cuenta por defecto a usar para cobros en NoPaimementModesDefined=No hay modo de pago definido en la configuración de TakePOS -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Agrupar IVA por tipo en tickets/recibos +AutoPrintTickets=Imprimir automáticamente tickets/recibos +PrintCustomerOnReceipts=Imprimir el cliente en tickets/recibos EnableBarOrRestaurantFeatures=Habilitar características para Bar o Restaurante ConfirmDeletionOfThisPOSSale=¿Está seguro de querer eliminar la venta actual? ConfirmDiscardOfThisPOSSale=¿Quiere descartar esta venta? @@ -87,22 +87,26 @@ SupplementCategory=Categoría de suplemento ColorTheme=Tema de color Colorful=Colorido HeadBar=Cabecera -SortProductField=Field for sorting products +SortProductField=Campo para ordenar productos Browser=Navegador -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +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. +ByTerminal=Por terminal +TakeposNumpadUsePaymentIcon=Usar icono de pago en el teclado numérico +CashDeskRefNumberingModules=Módulo de numeración para el TPV +CashDeskGenericMaskCodes6 =
{TN} tag es usado para añadir el número de terminal +TakeposGroupSameProduct=Agrupar mismas líneas de producto +StartAParallelSale=Nueva venta simultánea  +ControlCashOpening=Control de caja al abrir el TPV +CloseCashFence=Cierre de caja +CashReport=Arqueo +MainPrinterToUse=Impresora principal +OrderPrinterToUse=Impresora de pedido +MainTemplateToUse=Plantilla de impresión +OrderTemplateToUse=Plantilla de impresión para pedidos +BarRestaurant=Bar Restaurante +AutoOrder=Auto pedido +RestaurantMenu=Carta +CustomerMenu=Carta de cliente diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang index 4f952333d72..7b8ec9d86bd 100644 --- a/htdocs/langs/es_ES/categories.lang +++ b/htdocs/langs/es_ES/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Categorías contables ProjectsCategoriesShort=Etiquetas/categorías de Proyectos UsersCategoriesShort=Área etiquetas/categorías Usuarios StockCategoriesShort=Etiquetas/categorías almacenes -ThisCategoryHasNoProduct=Esta categoría no contiene ningún producto. -ThisCategoryHasNoSupplier=Esta categoría no contiene ningún proveedor. -ThisCategoryHasNoCustomer=Esta categoría no contiene ningún cliente. -ThisCategoryHasNoMember=Esta categoría no contiene ningún miembro. -ThisCategoryHasNoContact=Esta categoría no contiene contactos -ThisCategoryHasNoAccount=Esta categoría no contiene ninguna cuenta -ThisCategoryHasNoProject=Esta categoría no contiene ningún proyecto +ThisCategoryHasNoItems=Esta categoría no contiene ningún objeto CategId=Id etiqueta/categoría CatSupList=Listado de etiquetas/categorías de proveedores CatCusList=Listado de etiquetas/categorías de clientes @@ -78,7 +72,7 @@ CatMemberList=Listado de etiquetas/categorías de miembros CatContactList=Listado de etiquetas/categorías de contactos CatSupLinks=Enlaces entre proveedores y etiquetas/categorías CatCusLinks=Enlaces entre clientes/clientes potenciales y etiquetas/categorías -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Enlaces entre contactos/direcciones y etiquetas/categorías CatProdLinks=Enlaces entre productos/servicios y etiquetas/categorías CatProJectLinks=Enlaces entre proyectos y etiquetas/categorías DeleteFromCat=Eliminar de la etiqueta/categoría @@ -92,4 +86,5 @@ ByDefaultInList=Por defecto en lista ChooseCategory=Elija una categoría StocksCategoriesArea=Área Categorías de Almacenes ActionCommCategoriesArea=Área Categorías de Eventos +WebsitePagesCategoriesArea=Área de categorías de contenedores de páginas UseOrOperatorForCategories=Uso u operador para categorías diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang index 0a98814f97f..1ceb2726c47 100644 --- a/htdocs/langs/es_ES/companies.lang +++ b/htdocs/langs/es_ES/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Área de prospección IdThirdParty=ID tercero IdCompany=Id empresa IdContact=Id contacto -Contacts=Contactos ThirdPartyContacts=Contactos terceros ThirdPartyContact=Contactos/direcciones terceros Company=Empresa @@ -298,7 +297,8 @@ AddContact=Crear contacto AddContactAddress=Crear contacto/dirección EditContact=Editar contacto EditContactAddress=Editar contacto/dirección -Contact=Contacto +Contact=Contacto/Dirección +Contacts=Contactos ContactId=Id contacto ContactsAddresses=Contactos/Direcciones FromContactName=Nombre: @@ -325,7 +325,8 @@ CompanyDeleted=La empresa "%s" ha sido eliminada ListOfContacts=Listado de contactos ListOfContactsAddresses=Listado de contactos ListOfThirdParties=Listado de terceros -ShowContact=Mostrar contacto +ShowCompany=Tercero +ShowContact=Contacto/Dirección ContactsAllShort=Todos (sin filtro) ContactType=Tipo de contacto ContactForOrders=Contacto de pedidos @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Nombre del comercial SaleRepresentativeLastname=Apellidos del comercial ErrorThirdpartiesMerge=Se produjo un error al eliminar los terceros. Por favor, compruebe el log. Los cambios han sido anulados. NewCustomerSupplierCodeProposed=Código de cliente o proveedor ya utilizado, se sugiere un nuevo código -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Deje este campo vacío si la dirección es una dirección genérica #Imports PaymentTypeCustomer=Tipo de pago - Cliente PaymentTermsCustomer=Condiciones de pago - Cliente diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 19261fa227b..f6d1c29c1f7 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálc SeeReportInDueDebtMode=Consulte %sanálisis de facturas %s para un cálculo basado en facturas registradas conocidas, incluso si aún no se han contabilizado en Libro mayor. SeeReportInBookkeepingMode=Consulte el %sInforme de facturación%s para realizar un cálculo en la Tabla Libro mayor RulesAmountWithTaxIncluded=- Los importes mostrados son con todos los impuestos incluídos. -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Incluye facturas pendientes, gastos, IVA, donaciones ya sean pagadas o no. También incluye salarios pagados.
- Se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios definidos con el módulo Salario, se utiliza el valor de la fecha de pago. RulesResultInOut=- Incluye los pagos realizados sobre las facturas, las gastos y el IVA.
- Se basa en las fechas de pago de las facturas, gastos e IVA. La fecha de donación para las donaciones -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Incluye las facturas vencidas del cliente, ya sean pagadas o no.
- Se basa en la fecha de facturación de estas facturas.
RulesCAIn=- Incluye los pagos efectuados de las facturas a clientes.
- Se basa en la fecha de pago de las mismas
RulesCATotalSaleJournal=Incluye todas las líneas de crédito del diario de ventas. RulesAmountOnInOutBookkeepingRecord=Incluye registro en su libro mayor con cuentas contables que tiene el grupo "GASTOS" o "INGRESOS" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Volumen de ventas emitidas por tipo de impuesto TurnoverCollectedbyVatrate=Volumen de ventas cobradas por tipo de impuesto PurchasebyVatrate=Compra por tasa de impuestos LabelToShow=Etiqueta corta -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Volumen de compras +PurchaseTurnoverCollected=Volumen de compras pagadas +RulesPurchaseTurnoverDue=- Incluye las facturas vencidas del proveedor, ya sean pagadas o no.
- Se basa en la fecha de facturación de estas facturas.
+RulesPurchaseTurnoverIn=- Incluye todos los pagos efectuados de facturas hechas a proveedores.
- Se basa en la fecha de pago de estas facturas.
+RulesPurchaseTurnoverTotalPurchaseJournal=Incluye todas las líneas de débito del diario de compras. +ReportPurchaseTurnover=Volumen de compras facturado +ReportPurchaseTurnoverCollected=Volumen de compras pagadas +IncludeVarpaysInResults = Incluir varios pagos en informes +IncludeLoansInResults = Incluir préstamos en informes diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index 9d8bb8cf2dd..745b8510ae8 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=Archivo no recibido íntegramente por el servidor. ErrorNoTmpDir=Directorio temporal de recepción %s inexistente ErrorUploadBlockedByAddon=Subida bloqueada por un plugin PHP/Apache. ErrorFileSizeTooLarge=El tamaño del fichero es demasiado grande. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=El campo %s es demasiado largo. ErrorSizeTooLongForIntType=Longitud del campo demasiado largo para el tipo int (máximo %s cifras) ErrorSizeTooLongForVarcharType=Longitud del campo demasiado largo para el tipo cadena (máximo %s cifras) ErrorNoValueForSelectType=Los valores de la lista deben ser indicados @@ -97,7 +97,7 @@ ErrorBadMaskFailedToLocatePosOfSequence=Error, sin número de secuencia en la m ErrorBadMaskBadRazMonth=Error, valor de vuelta a 0 incorrecto ErrorMaxNumberReachForThisMask=Número máximo alcanzado para esta máscara ErrorCounterMustHaveMoreThan3Digits=El contador debe contener más de 3 dígitos -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Error, seleccione al menos una entrada. ErrorDeleteNotPossibleLineIsConsolidated=Eliminación imposible ya que el registro está enlazado a una transacción bancaria conciliada ErrorProdIdAlreadyExist=%s se encuentra asignado a otro tercero ErrorFailedToSendPassword=Error en el envío de la contraseña @@ -118,8 +118,8 @@ ErrorLoginDoesNotExists=La cuenta de usuario de %s no se ha encontrado. ErrorLoginHasNoEmail=Este usuario no tiene e-mail. Imposible continuar. ErrorBadValueForCode=Valor incorrecto para el código. Vuelva a intentar con un nuevo valor... ErrorBothFieldCantBeNegative=Los campos %s y %s no pueden ser negativos -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. +ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (desde el campo '%s' en la ficha de terceros) y aplíquelo a la factura. +ErrorLinesCantBeNegativeForOneVATRate=El total de líneas no puede ser negativo para una tasa de IVA dada. ErrorLinesCantBeNegativeOnDeposits=Las líneas no pueden ser negativas en un depósito. Si lo hace, tendrá problemas para consumir el depósito en la factura final. ErrorQtyForCustomerInvoiceCantBeNegative=Las cantidades en las líneas de facturas a clientes no pueden ser negativas ErrorWebServerUserHasNotPermission=La cuenta de ejecución del servidor web %s no dispone de los permisos para esto @@ -230,13 +230,13 @@ ErrorFieldRequiredForProduct=El campo '%s' es obligatorio para el producto %s ProblemIsInSetupOfTerminal=Problema en la configuración del terminal %s. ErrorAddAtLeastOneLineFirst=Introduzca al menos una opción ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, el registro ya se transfirió en contabilidad, la eliminación no es posible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, el idioma es obligatorio si configura la página como una traducción de otra. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, el idioma de la página traducida es el mismo que este. +ErrorBatchNoFoundForProductInWarehouse=No se encontró lote/serie para el producto "%s" en el almacén "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No hay suficiente cantidad para este lote/serie para el producto "%s" en el almacén "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Solo es posible un campo para 'Agrupar por' (otros se descartan) +ErrorTooManyDifferentValueForSelectedGroupBy=Se encontraron demasiados valores diferentes (más de %s) para el campo '%s', así que no podemos usarlo como 'Agrupar por' para gráficos. El campo 'Agrupar por' ha sido eliminado. ¿Puede ser que quieras usarlo como un eje X? +ErrorReplaceStringEmpty=Error, la cadena para reemplazar está vacía # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El parámetro PHP upload_max_filesize (%s) es más alto que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente. WarningPasswordSetWithNoAccount=Se fijó una contraseña para este miembro. Sin embargo, no se ha creado ninguna cuenta de usuario. Así que esta contraseña no se puede utilizar para acceder a Dolibarr. Puede ser utilizada por un módulo/interfaz externo, pero si no necesitar definir accesos de un miembro, puede desactivar la opción "Administrar un inicio de sesión para cada miembro" en la configuración del módulo miembros. Si necesita administrar un inicio de sesión, pero no necesita ninguna contraseña, puede dejar este campo vacío para evitar esta advertencia. Nota: También puede usarse el correo electrónico como inicio de sesión si el miembro está vinculada a un usuario. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Atención, el número de destin WarningDateOfLineMustBeInExpenseReportRange=Advertencia, la fecha de la línea no está en el rango del informe de gastos WarningProjectClosed=El proyecto está cerrado. Debe volver a abrirlo primero. WarningSomeBankTransactionByChequeWereRemovedAfter=Algunas transacciones bancarias se eliminaron después de que se generó el recibo. Por lo tanto, el número de cheques y el total del recibo pueden diferir del número y el total en el listado. +WarningFailedToAddFileIntoDatabaseIndex=Atención, no se pudo agregar la entrada del archivo en la tabla de índice de la base de datos ECM diff --git a/htdocs/langs/es_ES/exports.lang b/htdocs/langs/es_ES/exports.lang index f5fd6b666fd..056236382aa 100644 --- a/htdocs/langs/es_ES/exports.lang +++ b/htdocs/langs/es_ES/exports.lang @@ -26,6 +26,8 @@ FieldTitle=Título campo NowClickToGenerateToBuildExportFile=Ahora, seleccione el formato de exportación de la lista desplegable y haga clic en "Generar" para generar el archivo exportación... AvailableFormats=Formatos disponibles LibraryShort=Librería +ExportCsvSeparator=Separador de caracter csv +ImportCsvSeparator=Separador de caracter csv Step=Paso FormatedImport=Asistente de importación FormatedImportDesc1=Este módulo le permite actualizar los datos existentes o agregar nuevos objetos a la base de datos desde un archivo sin conocimientos técnicos, utilizando un asistente. diff --git a/htdocs/langs/es_ES/hrm.lang b/htdocs/langs/es_ES/hrm.lang index f93ad4e0554..d3d06082c67 100644 --- a/htdocs/langs/es_ES/hrm.lang +++ b/htdocs/langs/es_ES/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Cerrar establecimiento # Dictionary DictionaryPublicHolidays=RRHH: días festivos DictionaryDepartment=R.R.H.H. Listado departamentos -DictionaryFunction=R.R.H.H. Listado funciones +DictionaryFunction=R.R.H.H. - Puestos de trabajo # Module Employees=Empleados Employee=Empleado diff --git a/htdocs/langs/es_ES/install.lang b/htdocs/langs/es_ES/install.lang index 17812d15fbd..b27d34717c6 100644 --- a/htdocs/langs/es_ES/install.lang +++ b/htdocs/langs/es_ES/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Este PHP soporta Curl PHPSupportCalendar=Este PHP admite extensiones de calendarios. PHPSupportUTF8=Este PHP soporta las funciones UTF8. PHPSupportIntl=Este PHP soporta las funciones Intl. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Este PHP admite funciones de depuración extendidas. PHPSupport=Este PHP soporta las funciones %s. PHPMemoryOK=Su memoria máxima de sesión PHP esta definida a %s. Esto debería ser suficiente. PHPMemoryTooLow=Su memoria máxima de sesión PHP está definida en %s bytes. Esto es muy poco. Se recomienda modificar el parámetro memory_limit de su archivo php.ini a por lo menos %s bytes. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Su PHP no soporta Curl. ErrorPHPDoesNotSupportCalendar=Su instalación de PHP no admite extensiones de calendario. ErrorPHPDoesNotSupportUTF8=Este PHP no soporta las funciones UTF8. Resuelva el problema antes de instalar Dolibarr ya que no podrá funcionar correctamente. ErrorPHPDoesNotSupportIntl=Este PHP no soporta las funciones Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Su instalación de PHP no admite funciones de depuración ampliadas. ErrorPHPDoesNotSupport=Su instalación de PHP no soporta las funciones %s. ErrorDirDoesNotExists=El directorio %s no existe o no es accesible. ErrorGoBackAndCorrectParameters=Vuelva atrás y corrija los parámetros inválidos... @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Se ha producido un error durante el proceso de migraci YouTryInstallDisabledByDirLock=La aplicación intenta instalar la actualización, pero las páginas de instalación/actualización se han desactivado por razones de seguridad (el nombre del directorio se ha cambiado con el sufijo .lock).
YouTryInstallDisabledByFileLock=La aplicación intenta instalar la actualización, pero las páginas de instalación/actualización se han desactivado por razones de seguridad (mediante el archivo de bloqueo install.lock del directorio de documentos de dolibarr).
ClickHereToGoToApp=Haga clic aquí para ir a su aplicación -ClickOnLinkOrRemoveManualy=Haga clic en el siguiente enlace y si siempre llega a esta página, debe eliminar manualmente el archivo install.lock del directorio de documentos -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Si hay una actualización en curso, espere. Si no, 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. +Loaded=Cargado +FunctionTest=Prueba de funcionamiento diff --git a/htdocs/langs/es_ES/interventions.lang b/htdocs/langs/es_ES/interventions.lang index dc642da31a4..b2e1eb7e66f 100644 --- a/htdocs/langs/es_ES/interventions.lang +++ b/htdocs/langs/es_ES/interventions.lang @@ -41,9 +41,7 @@ InterventionsArea=Área intervenciones DraftFichinter=Intervenciones borrador LastModifiedInterventions=Últimas %s intervenciones modificadas FichinterToProcess=Intervenciones a procesar -##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Contacto cliente seguimiento intervención -# Modele numérotation PrintProductsOnFichinter=Imprimir también líneas de tipo "producto" (no solamente servicios) en las fichas de intervención PrintProductsOnFichinterDetails=Intervenciones generadas desde pedidos UseServicesDurationOnFichinter=Usar la duración de los servicios para las intervenciones generadas de de los pedidos @@ -53,7 +51,6 @@ InterventionStatistics=Estadísticas de intervenciones NbOfinterventions=Nº de fichas de intervención NumberOfInterventionsByMonth=Nº de fichas de intervención por mes (fecha de validación) AmountOfInteventionNotIncludedByDefault=Las cantidades de la intervención no se incluye por defecto en los beneficios (en la mayoría de los casos, las hojas de tiempo se utilizan para contar el tiempo invertido). Añada la opción PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT con valor 1 en Inicio-Configuración-Varios para incluirlos. -##### Exports ##### InterId=Id. intervención InterRef=Ref. intervención InterDateCreation=Fecha creación intervención @@ -65,3 +62,5 @@ InterLineId=Id. línea intervención InterLineDate=Fecha línea intervención InterLineDuration=Duración línea intervención InterLineDesc=Descripción línea intervención +RepeatableIntervention=Plantilla de intervención +ToCreateAPredefinedIntervention=Para crear una intervención predefinida o recurrente, cree una intervención común y conviértala en plantilla de intervención diff --git a/htdocs/langs/es_ES/languages.lang b/htdocs/langs/es_ES/languages.lang index dcef980ba0a..2277b2ac10a 100644 --- a/htdocs/langs/es_ES/languages.lang +++ b/htdocs/langs/es_ES/languages.lang @@ -65,7 +65,7 @@ Language_mk_MK=Macedonio Language_mn_MN=Mongol Language_nb_NO=Noruego (Bokmål) Language_nl_BE=Neerlandés (Bélgica) -Language_nl_NL=Dutch +Language_nl_NL=Holandés Language_pl_PL=Polaco Language_pt_BR=Portugués (Brasil) Language_pt_PT=Portugués diff --git a/htdocs/langs/es_ES/link.lang b/htdocs/langs/es_ES/link.lang index 7bfa0b17d00..feb76151fde 100644 --- a/htdocs/langs/es_ES/link.lang +++ b/htdocs/langs/es_ES/link.lang @@ -8,4 +8,4 @@ LinkRemoved=El vínculo %s ha sido eliminado ErrorFailedToDeleteLink= Error al eliminar el vínculo '%s' ErrorFailedToUpdateLink= Error al actualizar el vínculo '%s' URLToLink=URL a enlazar -OverwriteIfExists=Overwrite file if exists +OverwriteIfExists=Sobrescribir archivo si existe diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index a8930d2dd3d..247879c790f 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -164,7 +164,7 @@ NoContactWithCategoryFound=No se han encontrado contactos/direcciones con alguna NoContactLinkedToThirdpartieWithCategoryFound=No se han encontrado contactos/direcciones con alguna categoría OutGoingEmailSetup=Configuración del correo saliente InGoingEmailSetup=Configuración del correo entrante -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Configuración del correo electrónico saliente (para el módulo %s) DefaultOutgoingEmailSetup=Configuración de correo saliente predeterminada Information=Información ContactsWithThirdpartyFilter=Contactos con filtro de terceros. diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index 026de108ad1..976a88feedc 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -174,7 +174,7 @@ SaveAndStay=Guardar y permanecer SaveAndNew=Guardar y nuevo TestConnection=Probar la conexión ToClone=Copiar -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=¿Estás seguro de que quieres clonar el objeto %s? ConfirmClone=Seleccione los datos que desea copiar: NoCloneOptionsSpecified=No hay datos definidos para copiar Of=de @@ -187,6 +187,8 @@ ShowCardHere=Ver la ficha aquí Search=Buscar SearchOf=Búsqueda de SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Añadir rápido +QuickAddMenuShortCut=Ctrl + shift + l Valid=Validar Approve=Aprobar Disapprove=Desaprobar @@ -353,8 +355,8 @@ PriceUTTC=P.U. (i.i.) Amount=Importe AmountInvoice=Importe factura AmountInvoiced=Importe facturado -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Cantidad facturada (impuestos incluidos) +AmountInvoicedTTC=Importe facturado (sin impuestos) AmountPayment=Importe pago AmountHTShort=Base imp. AmountTTCShort=Importe @@ -426,6 +428,7 @@ Modules=Módulos Option=Opción List=Listado FullList=Listado completo +FullConversation=Conversación completa Statistics=Estadísticas OtherStatistics=Otras estadísticas Status=Estado @@ -663,6 +666,7 @@ Owner=Propietario FollowingConstantsWillBeSubstituted=Las siguientes constantes serán substituidas por su valor correspondiente. Refresh=Refrescar BackToList=Volver al listado +BackToTree=Volver al árbol GoBack=Volver atrás CanBeModifiedIfOk=Puede modificarse si es valido CanBeModifiedIfKo=Puede modificarse si no es valido @@ -830,8 +834,8 @@ Gender=Sexo Genderman=Hombre Genderwoman=Mujer ViewList=Vista de listado -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Vista de Gantt +ViewKanban=Vista Kanban Mandatory=Obligatorio Hello=Hola GoodBye=Adiós @@ -839,6 +843,7 @@ Sincerely=Atentamente ConfirmDeleteObject=¿Está seguro de querer eliminar este objeto? DeleteLine=Eliminación de línea ConfirmDeleteLine=¿Está seguro de querer eliminar esta línea? +ErrorPDFTkOutputFileNotFound=Error: el archivo no se generó. Compruebe 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=Sin PDF disponibles para la generación de documentos entre los registros seleccionados TooManyRecordForMassAction=Demasiados registros seleccionardos para la acción masiva. La acción está restringida a un listado de %s registros. NoRecordSelected=Sin registros seleccionados @@ -953,12 +958,13 @@ SearchIntoMembers=Miembros SearchIntoUsers=Usuarios SearchIntoProductsOrServices=Productos o servicios SearchIntoProjects=Proyectos +SearchIntoMO=Órdenes de fabricación SearchIntoTasks=Tareas SearchIntoCustomerInvoices=Facturas a clientes SearchIntoSupplierInvoices=Facturas proveedor SearchIntoCustomerOrders=Pedidos SearchIntoSupplierOrders=Pedidos a proveedor -SearchIntoCustomerProposals=Presupuestos a clientes +SearchIntoCustomerProposals=Presupuestos SearchIntoSupplierProposals=Presupuestos de proveedor SearchIntoInterventions=Intervenciones SearchIntoContracts=Contratos @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Seleccione sus opciones de gráfico para construir u Measures=Medidas XAxis=Eje X YAxis=Eje Y -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +StatusOfRefMustBe=El estado de %s debe ser %s +DeleteFileHeader=Confirmar eliminación de archivo +DeleteFileText=¿Realmente quieres eliminar este archivo? +ShowOtherLanguages=Mostrar otros idiomas +SwitchInEditModeToAddTranslation=Cambie al modo de edición para agregar traducciones para este idioma +NotUsedForThisCustomer=No se utiliza para este cliente. +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index 53e0ce43f50..a2a857957a9 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Zona peligrosa BuildPackage=Crear paquete BuildPackageDesc=Puede generar un paquete zip de su módulo para que esté listo para distribuirlo en cualquier Dolibarr. También puede distribuirlo o venderlo en un una tienda como DoliStore.com . BuildDocumentation=Generar documentación -ModuleIsNotActive=Este módulo no ha sido activado todavía. Vaya a %s para activarlo o pulse aquí: +ModuleIsNotActive=Este módulo aún no está activado. Vaya a %s para activarlo o haga clic aquí ModuleIsLive=Este módulo ha sido activado. Cualquier cambio en él puede romper una característica activa actual. DescriptionLong=Descripción larga EditorName=Nombre del editor @@ -83,9 +83,9 @@ ListOfDictionariesEntries=Listado de entradas de diccionarios ListOfPermissionsDefined=Listado de permisos definidos SeeExamples=Vea ejemplos aquí EnabledDesc=Condición para tener este campo activo (Ejemplos: 1 o $conf->global->MYMODULE_MYOPTION) -VisibleDesc=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 -DisplayOnPdf=Display on PDF +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 +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) SpecDefDesc=Ingrese aquí toda la documentación que desea proporcionar con su módulo que aún no está definido por otras pestañas. Puede usar .md o mejor, la rica sintaxis .asciidoc. @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Tipo de campos:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' significa que agregamos un botón + después del combo para crear el registro, 'filtro' puede ser 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' por ejemplo) AsciiToHtmlConverter=Conversor de ASCII a HTML AsciiToPdfConverter=Conversor de ASCII a PDF +TableNotEmptyDropCanceled=La tabla no está vacía. La eliminación ha sido cancelada. diff --git a/htdocs/langs/es_ES/mrp.lang b/htdocs/langs/es_ES/mrp.lang index b98539fb212..8a35d78dd40 100644 --- a/htdocs/langs/es_ES/mrp.lang +++ b/htdocs/langs/es_ES/mrp.lang @@ -1,6 +1,6 @@ Mrp=Órdenes de fabricación MO=Orden de fabricación -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Módulo para gestionar producción y Órdenes de Fabricación (OF). MRPArea=Área MRP MrpSetupPage=Configuración del módulo MRP MenuBOM=Lista de material @@ -24,9 +24,9 @@ WatermarkOnDraftMOs=Marca de agua en el documento OF ConfirmCloneBillOfMaterials=¿Está seguro de querer clonar la lista de materiales %s? ConfirmCloneMo=¿Esta seguro de querer clonar la Orden de Fabricación %s? ManufacturingEfficiency=Eficiencia de fabricación -ConsumptionEfficiency=Consumption efficiency +ConsumptionEfficiency=Eficiencia de consumo ValueOfMeansLoss=El valor de 0.95 significa un promedio de 5%% de pérdida durante la producción -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ValueOfMeansLossForProductProduced=El valor de 0.95 significa un promedio de 5%% de pérdida del producto producido DeleteBillOfMaterials=Eliminar Lista de material DeleteMo=Eliminar Orden de Fabricación ConfirmDeleteBillOfMaterials=¿Está seguro de querer eliminar esta lista de materiales? @@ -56,11 +56,12 @@ ToConsume=A Consumir ToProduce=A producir QtyAlreadyConsumed=Cant. ya consumida QtyAlreadyProduced=Cant. ya producida +QtyRequiredIfNoLoss=Cantidad requerida si no hay pérdida (la eficiencia de fabricación es 100%%) ConsumeOrProduce=Consumir o producir ConsumeAndProduceAll=Consumir y producir todo Manufactured=Fabricado TheProductXIsAlreadyTheProductToProduce=El producto a agregar ya es el producto a producir. -ForAQuantityOf1=Para una cantidad a producir de 1 +ForAQuantityOf=Para una cantidad a producir de %s ConfirmValidateMo=¿Está seguro de querer validar esta orden de fabricación? ConfirmProductionDesc=Al hacer clic en '%s', validará el consumo y/o la producción de las cantidades establecidas. También se actualizará el stock y registrará los movimientos de stock. ProductionForRef=Producción de %s @@ -68,6 +69,9 @@ AutoCloseMO=Cierre automáticamente la orden de fabricación si se alcanzan las NoStockChangeOnServices=Sin cambio de stock en servicios ProductQtyToConsumeByMO=Cantidad de producto aún por consumir por MO abierto ProductQtyToProduceByMO=Cantidad de producto todavía para producir por MO abierto -AddNewConsumeLines=Add new line to consume -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce +AddNewConsumeLines=Agregar nueva línea para consumir +ProductsToConsume=Productos para consumir +ProductsToProduce=Productos para producir +UnitCost=Costo unitario +TotalCost=Coste total +BOMTotalCost=El costo para producir esta Lista de Materiales en función del costo de cada cantidad y producto a consumir (use el precio de costo si está definido, de lo contrario, el precio promedio ponderado si está definido, o el mejor precio de compra) diff --git a/htdocs/langs/es_ES/multicurrency.lang b/htdocs/langs/es_ES/multicurrency.lang index 04f75b8f35c..21b73c00556 100644 --- a/htdocs/langs/es_ES/multicurrency.lang +++ b/htdocs/langs/es_ES/multicurrency.lang @@ -18,3 +18,5 @@ MulticurrencyReceived=Recibido, divisa origen MulticurrencyRemainderToTake=Cantidad restante, moneda original MulticurrencyPaymentAmount=Importe total, divisa original AmountToOthercurrency=Cantidad a (en moneda de la cuenta receptora) +CurrencyRateSyncSucceed=La sincronización de la tasa de cambio se realizó con éxito +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use la moneda del documento para pagos en línea diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index 9ede964857b..748f05813d5 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -30,11 +30,11 @@ PreviousYearOfInvoice=Año anterior de la fecha de la factura NextYearOfInvoice=Mes siguiente de la fecha de la factura DateNextInvoiceBeforeGen=Fecha de la próxima factura (antes de la generación) DateNextInvoiceAfterGen=Fecha de la próxima factura (después de la generación) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. +GraphInBarsAreLimitedToNMeasures=Los gráficos se limitan a las medidas %s en el modo 'Barras'. En su lugar, se seleccionó automáticamente el modo 'Líneas'. OnlyOneFieldForXAxisIsPossible=Actualmente solo es posible 1 campo como X-Axis. Solo se ha seleccionado el primer campo seleccionado. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts +AtLeastOneMeasureIsRequired=Se requiere al menos 1 campo para medir +AtLeastOneXAxisIsRequired=Se requiere al menos 1 campo para el eje X +LatestBlogPosts=Últimas publicaciones de blog Notify_ORDER_VALIDATE=Validación pedido de cliente Notify_ORDER_SENTBYMAIL=Envío pedido de cliente por e-mail Notify_ORDER_SUPPLIER_SENTBYMAIL=Envío pedido a proveedor por e-mail @@ -190,7 +190,7 @@ NumberOfSupplierProposals=Número de presupuestos de proveedores NumberOfSupplierOrders=Número de pedidos a proveedores NumberOfSupplierInvoices=Número de facturas de proveedores NumberOfContracts=Número de contratos -NumberOfMos=Number of manufacturing orders +NumberOfMos=Número de órdenes de fabricación. NumberOfUnitsProposals=Número de unidades en los presupuestos a clientes NumberOfUnitsCustomerOrders=Número de unidades en los pedidos de clientes NumberOfUnitsCustomerInvoices=Número de unidades en las facturas a clientes @@ -198,7 +198,7 @@ NumberOfUnitsSupplierProposals=Número de unidades en los presupuestos de provee NumberOfUnitsSupplierOrders=Número de unidades en los pedidos a proveedores NumberOfUnitsSupplierInvoices=Número de unidades en las facturas de proveedores NumberOfUnitsContracts=Número de unidades en los contratos -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsMos=Número de unidades para producir en órdenes de fabricación. EMailTextInterventionAddedContact=Se le ha asignado la intervención %s EMailTextInterventionValidated=Ficha intervención %s validada EMailTextInvoiceValidated=Factura %s ha sido validada. @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=URL de la página WEBSITE_TITLE=Título WEBSITE_DESCRIPTION=Descripción WEBSITE_IMAGE=Imagen -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Ruta relativa de los medios de imagen. Puede mantener esto vacío ya que rara vez se usa (puede ser usado por contenido dinámico para mostrar una miniatura en una lista de publicaciones de blog). Use __WEBSITE_KEY__ en la ruta si la ruta depende del nombre del sitio web (por ejemplo: image/__WEBSITE_KEY __/stories/myimage.png). WEBSITE_KEYWORDS=Claves LinesToImport=Líneas a importar MemoryUsage=Uso de memoria RequestDuration=Duración de la solicitud -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +PopuProp=Productos/Servicios por popularidad en Presupuestos +PopuCom=Productos/Servicios por popularidad en Pedidos +ProductStatistics=Estadísticas de productos/servicios +NbOfQtyInOrders=Cantidad en pedidos diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index 83090c479e6..40468c14c77 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=¡Esta herramienta actualiza la tasa de IVA definida en MassBarcodeInit=Inicialización masiva de códigos de barra MassBarcodeInitDesc=Puede usar esta página para inicializar el código de barras en los objetos que no tienen un código de barras definido. Compruebe antes que el módulo de códigos de barras esté configurado correctamente. ProductAccountancyBuyCode=Código contable (compras) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Código contable (compra intracomunitaria) +ProductAccountancyBuyExportCode=Código de contabilidad (compra de importación) ProductAccountancySellCode=Código contable (ventas) ProductAccountancySellIntraCode=Código contable (venta intracomunitaria) ProductAccountancySellExportCode=Código de contabilidad (venta de exportación) @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Nota (no visible en las facturas, presupuestos, etc.) ServiceLimitedDuration=Si el servicio es de duración limitada : MultiPricesAbility=Varios segmentos de precios por producto/servicio (cada cliente está en un segmento) MultiPricesNumPrices=Nº de precios +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activar productos compuestos (kits) AssociatedProducts=Productos compuestos AssociatedProductsNumber=Nº de productos que componen este producto @@ -167,7 +168,7 @@ SuppliersPrices=Precios de proveedores SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicios) CustomCode=Código aduanero CountryOrigin=País de origen -Nature=Nature of product (material/finished) +Nature=Naturaleza del producto (materia prima/producto acabado) ShortLabel=Etiqueta corta Unit=Unidad p=u. @@ -333,9 +334,9 @@ PossibleValues=Valores posibles GoOnMenuToCreateVairants=Vaya al menú %s - %s para preparar variantes de atributos (como colores, tamaño, ...) UseProductFournDesc=Añade una funcionalidad para definir las descripciones de los productos definidos por los proveedores además de las descripciones para los clientes ProductSupplierDescription=Descripción del proveedor para el producto. -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +UseProductSupplierPackaging=Utilice el embalaje según los precios del proveedor (recalcule las cantidades según el conjunto de envases según el precio del proveedor al agregar / actualizar la línea en los documentos del proveedor) +PackagingForThisProduct=Embalaje +QtyRecalculatedWithPackaging=La cantidad de la línea se recalculó de acuerdo con el embalaje del proveedor. #Attributes VariantAttributes=Atributos de variantes @@ -369,7 +370,7 @@ UsePercentageVariations=Utilizar variaciones porcentuales PercentageVariation=Variación porcentual ErrorDeletingGeneratedProducts=Se ha producido un error al intentar eliminar las variantes existentes NbOfDifferentValues=Nº de valores diferentes -NbProducts=Number of products +NbProducts=Nº de productos ParentProduct=Producto padre HideChildProducts=Ocultar productos hijos ShowChildProducts=Mostrara variantes de productos @@ -382,4 +383,4 @@ ErrorProductCombinationNotFound=Variante de producto no encontrada ActionAvailableOnVariantProductOnly=Acción solo disponible en la variante del producto ProductsPricePerCustomer=Precios de producto por cliente ProductSupplierExtraFields=Campos adicionales (precios de proveedor) -DeleteLinkedProduct=Delete the child product linked to the combination +DeleteLinkedProduct=Eliminar el producto hijo vinculado a la combinación diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index 763e2b2cb06..82731dbacf1 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -39,8 +39,8 @@ ShowProject=Ver proyecto ShowTask=Ver tarea SetProject=Definir proyecto NoProject=Ningún proyecto definido -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Numero de proyectos +NbOfTasks=Numero de tareas TimeSpent=Tiempo dedicado TimeSpentByYou=Tiempo dedicado por usted TimeSpentByUser=Tiempo dedicado por usuario @@ -102,7 +102,7 @@ ListDonationsAssociatedProject=Listado de donaciones asociadas al proyecto ListVariousPaymentsAssociatedProject=Lista de pagos diversos asociados al proyecto ListSalariesAssociatedProject=Listado de pagos de salarios asociados al proyecto ListActionsAssociatedProject=Listado de eventos asociados al proyecto -ListMOAssociatedProject=List of manufacturing orders related to the project +ListMOAssociatedProject=Lista de orden de fabricación relacionados con el proyecto. ListTaskTimeUserProject=Listado de tiempos en tareas del proyecto ListTaskTimeForTask=Listado de tiempos en tareas ActivityOnProjectToday=Actividad en el proyecto hoy @@ -115,7 +115,7 @@ ChildOfTask=Hijo de la tarea TaskHasChild=La tarea tiene hijas NotOwnerOfProject=No es responsable de este proyecto privado AffectedTo=Asignado a -CantRemoveProject=Este proyecto no puede ser eliminado porque está referenciado por muchos objetos (facturas, pedidos u otras). ver la lista en la pestaña Referencias. +CantRemoveProject=Este proyecto no se puede eliminar, ya que algunos otros objetos (factura, pedidos u otros) hacen referencia a él. Ver pestaña '%s'. ValidateProject=Validar proyecto ConfirmValidateProject=¿Está seguro de querer validar este proyecto? CloseAProject=Cerrar proyecto @@ -162,8 +162,8 @@ OpportunityProbability=Probabilidad de oportunidades OpportunityProbabilityShort=Prob. Opor. OpportunityAmount=Importe oportunidad OpportunityAmountShort=Importe oportunidad -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount +OpportunityWeightedAmount=Cantidad ponderada de oportunidad +OpportunityWeightedAmountShort=Opp. cantidad ponderada OpportunityAmountAverageShort=Importe medio oportunidad OpportunityAmountWeigthedShort=Importe ponderado oportunidad WonLostExcluded=Excluidos Ganados/Perdidos @@ -186,7 +186,7 @@ PlannedWorkload=Carga de trabajo prevista PlannedWorkloadShort=Carga de trabajo ProjectReferers=Items relacionados ProjectMustBeValidatedFirst=El proyecto debe validarse primero -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time +FirstAddRessourceToAllocateTime=Asignar un recurso de usuario como contacto del proyecto para asignar tiempo InputPerDay=Entrada por día InputPerWeek=Entrada por semana InputPerMonth=Entrada por mes @@ -238,7 +238,7 @@ LatestModifiedProjects=Últimos %s proyectos modificados OtherFilteredTasks=Otras tareas filtradas NoAssignedTasks=Sin tareas asignadas ( Asigne proyectos/tareas al usuario actual desde el selector superior para indicar tiempos en ellas) ThirdPartyRequiredToGenerateInvoice=Se debe definir un tercero en el proyecto para poder facturarlo. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +ChooseANotYetAssignedTask=Elige una tarea que aún no te haya sido asignada # Comments trans AllowCommentOnTask=Permitir comentarios de los usuarios sobre las tareas AllowCommentOnProject=Permitir comentarios de los usuarios en los proyectos @@ -255,8 +255,8 @@ ServiceToUseOnLines=Servicio a utilizar en lineas. InvoiceGeneratedFromTimeSpent=Se ha generado la factura %s a partir del tiempo empleado en el proyecto ProjectBillTimeDescription=Verifique si ingresa la hoja de horas trabajadas en las tareas del proyecto y planea generar factura(s) a partir de la hoja para facturar al cliente del proyecto (no lo verifique si planea crear una factura que no se base en las hojas de horas trabajadas ingresadas). Nota: Para generar la factura, vaya a la pestaña 'Tiempo empleado' del proyecto y seleccione las líneas a incluir. ProjectFollowOpportunity=Seguir oportunidad -ProjectFollowTasks=Follow tasks or time spent -Usage=Usage +ProjectFollowTasks=Siga las tareas o el tiempo dedicado +Usage=Uso UsageOpportunity=Uso: Oportunidad UsageTasks=Uso: Tareas UsageBillTimeShort=Uso: Facturar tiempo @@ -264,4 +264,5 @@ InvoiceToUse=Borrador de factura para usar NewInvoice=Nueva factura OneLinePerTask=Una línea por tarea OneLinePerPeriod=Una línea por período -RefTaskParent=Ref. Parent Task +RefTaskParent=Ref. Tarea principal +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/es_ES/receiptprinter.lang b/htdocs/langs/es_ES/receiptprinter.lang index 4876103a07b..e309b2a7802 100644 --- a/htdocs/langs/es_ES/receiptprinter.lang +++ b/htdocs/langs/es_ES/receiptprinter.lang @@ -15,12 +15,12 @@ CONNECTOR_DUMMY=Impresora de pruebas CONNECTOR_NETWORK_PRINT=Impresora de red CONNECTOR_FILE_PRINT=Impresora Local CONNECTOR_WINDOWS_PRINT=Impresora local de Windows -CONNECTOR_CUPS_PRINT=Cups Printer +CONNECTOR_CUPS_PRINT=Impresora en Cups CONNECTOR_DUMMY_HELP=Impresora falsa para pruebas CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -CONNECTOR_CUPS_PRINT_HELP=CUPS printer name, example: HPRT_TP805L +CONNECTOR_CUPS_PRINT_HELP=Nombre de impresora en CUPS, por ejemplo: HPRT_TP805L PROFILE_DEFAULT=Perfil por defecto PROFILE_SIMPLE=Perfil simple PROFILE_EPOSTEP=Perfil Epos Tep @@ -57,39 +57,39 @@ DOL_UNDERLINE_DISABLED=Desactivar subrayado DOL_BEEP=Sonido beep DOL_PRINT_TEXT=Imprimir texto DOL_VALUE_DATE=Fecha facturación -DOL_VALUE_DATE_TIME=Invoice date and time -DOL_VALUE_YEAR=Invoice year -DOL_VALUE_MONTH_LETTERS=Invoice month in letters -DOL_VALUE_MONTH=Invoice month -DOL_VALUE_DAY=Invoice day -DOL_VALUE_DAY_LETTERS=Inovice day in letters -DOL_LINE_FEED_REVERSE=Line feed reverse -DOL_VALUE_OBJECT_ID=Invoice ID +DOL_VALUE_DATE_TIME=Fecha y hora de factura +DOL_VALUE_YEAR=Año de factura +DOL_VALUE_MONTH_LETTERS=Mes de factura en letras +DOL_VALUE_MONTH=Mes de factura +DOL_VALUE_DAY=Día de factura +DOL_VALUE_DAY_LETTERS=Día de factura en letras +DOL_LINE_FEED_REVERSE=Avance de linea inversa +DOL_VALUE_OBJECT_ID=ID de factura DOL_VALUE_OBJECT_REF=Ref. factura -DOL_PRINT_OBJECT_LINES=Invoice lines -DOL_VALUE_CUSTOMER_FIRSTNAME=Customer first name -DOL_VALUE_CUSTOMER_LASTNAME=Customer last name -DOL_VALUE_CUSTOMER_MAIL=Customer mail -DOL_VALUE_CUSTOMER_PHONE=Customer phone -DOL_VALUE_CUSTOMER_MOBILE=Customer mobile -DOL_VALUE_CUSTOMER_SKYPE=Customer Skype -DOL_VALUE_CUSTOMER_TAX_NUMBER=Customer tax number -DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Customer account balance -DOL_VALUE_MYSOC_NAME=Your company name -DOL_VALUE_MYSOC_ADDRESS=Your company address -DOL_VALUE_MYSOC_ZIP=Your zip code -DOL_VALUE_MYSOC_TOWN=Your town -DOL_VALUE_MYSOC_COUNTRY=Your country -DOL_VALUE_MYSOC_IDPROF1=Your IDPROF1 -DOL_VALUE_MYSOC_IDPROF2=Your IDPROF2 -DOL_VALUE_MYSOC_IDPROF3=Your IDPROF3 -DOL_VALUE_MYSOC_IDPROF4=Your IDPROF4 -DOL_VALUE_MYSOC_IDPROF5=Your IDPROF5 -DOL_VALUE_MYSOC_IDPROF6=Your IDPROF6 +DOL_PRINT_OBJECT_LINES=Lineas de factura +DOL_VALUE_CUSTOMER_FIRSTNAME=Nombre de cliente +DOL_VALUE_CUSTOMER_LASTNAME=Apellidos de cliente +DOL_VALUE_CUSTOMER_MAIL=Mail de cliente +DOL_VALUE_CUSTOMER_PHONE=Teléfono del cliente +DOL_VALUE_CUSTOMER_MOBILE=Móvil del cliente +DOL_VALUE_CUSTOMER_SKYPE=Skype del cliente +DOL_VALUE_CUSTOMER_TAX_NUMBER=Número de impuesto al cliente +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo de cuenta del cliente +DOL_VALUE_MYSOC_NAME=Nombre de la empresa +DOL_VALUE_MYSOC_ADDRESS=Dirección de la empresa +DOL_VALUE_MYSOC_ZIP=Código Postal +DOL_VALUE_MYSOC_TOWN=Población +DOL_VALUE_MYSOC_COUNTRY=País +DOL_VALUE_MYSOC_IDPROF1=Tu IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=Tu IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=Tu IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=Tu IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=Tu IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=Tu IDPROF6 DOL_VALUE_MYSOC_TVA_INTRA=Número de IVA intracomunitario DOL_VALUE_MYSOC_CAPITAL=Capital -DOL_VALUE_VENDOR_LASTNAME=Vendor last name -DOL_VALUE_VENDOR_FIRSTNAME=Vendor first name -DOL_VALUE_VENDOR_MAIL=Vendor mail -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_VENDOR_LASTNAME=Apellidos del vendedor +DOL_VALUE_VENDOR_FIRSTNAME=Nombre del vendedor +DOL_VALUE_VENDOR_MAIL=Email del Vendedor +DOL_VALUE_CUSTOMER_POINTS=Puntos del cliente +DOL_VALUE_OBJECT_POINTS=Puntos de objetos diff --git a/htdocs/langs/es_ES/receptions.lang b/htdocs/langs/es_ES/receptions.lang index 7bdb38ca3cd..7fe1143884d 100644 --- a/htdocs/langs/es_ES/receptions.lang +++ b/htdocs/langs/es_ES/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Cantidad en pedidos a proveedores ValidateOrderFirstBeforeReception=Antes de poder realizar recepciones debe validar el pedido. ReceptionsNumberingModules=Módulo de numeración para recepciones ReceptionsReceiptModel=Modelos de documentos para recepciones. +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang index 09732c02ce4..f8cfeb9ee4b 100644 --- a/htdocs/langs/es_ES/stocks.lang +++ b/htdocs/langs/es_ES/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PMP EnhancedValueOfWarehouses=Valor de stocks UserWarehouseAutoCreate=Crear automáticamente existencias/almacén propio del usuario en la creación del usuario AllowAddLimitStockByWarehouse=Administrar también el valor del stock mínimo y deseado de la cupla (producto-almacén) además del valor del stock mínimo y deseado por producto +RuleForWarehouse=Regla para almacenes +WarehouseAskWarehouseDuringOrder=Indicar un almacén en pedidos de clientes +UserDefaultWarehouse=Indicar un almacén en usuarios +DefaultWarehouseActive=Almacén activo por defecto +MainDefaultWarehouse=Almacén por defecto +MainDefaultWarehouseUser=Usar la asignación de almacén de usuario predeterminada +MainDefaultWarehouseUserDesc=/!\\ Al activar esta opción, en la creación de un artículo, el almacén asignado al usuario se definirá en este. Si no se define un almacén en el usuario, se define el almacén predeterminado. IndependantSubProductStock=Stock del producto y stock del subproducto son independientes QtyDispatched=Cantidad recibida QtyDispatchedShort=Cant. recibida @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Para el decremento de stock se usará el almacén % WarehouseForStockIncrease=Para el incremento de stock se usará el almacén %s ForThisWarehouse=Para este almacén ReplenishmentStatusDesc=Este es un listado de todos los productos con un stock menor al deseado (o menor al valor de alerta si la casilla de verificación "alerta" está marcada). Mediante la casilla de verificación, puede crear pedidos a proveedor para suplir la diferencia. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Este es un listado de todos los pedidos a proveedores abiertos con productos predefinidos. Sólo los pedidos abiertos con productos predefinidos (por lo que los pedidos puedan afectar a los stocks) son visibles aquí. Replenishments=Reaprovisionamiento NbOfProductBeforePeriod=Cantidad del producto %s en stock antes del periodo seleccionado (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventario de un almacén específico InventoryForASpecificProduct=Inventario de un producto específico StockIsRequiredToChooseWhichLotToUse=Se requiere stock para elegir qué lote usar 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) diff --git a/htdocs/langs/es_ES/stripe.lang b/htdocs/langs/es_ES/stripe.lang index d34c8786689..14579cc11a6 100644 --- a/htdocs/langs/es_ES/stripe.lang +++ b/htdocs/langs/es_ES/stripe.lang @@ -32,7 +32,7 @@ VendorName=Nombre del vendedor CSSUrlForPaymentForm=Url de la hoja de estilo CSS para el formulario de pago NewStripePaymentReceived=Nuevo pago de Stripe recibido NewStripePaymentFailed=Nuevo pago de Stripe intentado, pero ha fallado -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Error al cargar la tarjeta STRIPE_TEST_SECRET_KEY=Clave secreta test STRIPE_TEST_PUBLISHABLE_KEY=Clave de test publicable STRIPE_TEST_WEBHOOK_KEY=Clave de prueba Webhook @@ -69,4 +69,4 @@ ToOfferALinkForTestWebhook=Enlace para configurar Stripe WebHook para llamar a l ToOfferALinkForLiveWebhook=Enlace para configurar Stripe WebHook para llamar a la IPN (modo real) PaymentWillBeRecordedForNextPeriod=El pago se registrará para el próximo período. ClickHereToTryAgain=Haga clic aquí para volver a intentarlo ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a las fuertes reglas de autenticación del cliente, la creación de una tarjeta debe hacerse desde la oficina administrativa de Stripe. Puede hacer clic aquí para activar el registro de cliente de Stripe: %s diff --git a/htdocs/langs/es_ES/ticket.lang b/htdocs/langs/es_ES/ticket.lang index c520a49675f..6b941a656be 100644 --- a/htdocs/langs/es_ES/ticket.lang +++ b/htdocs/langs/es_ES/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Módulo de numeración de tickets TicketNotifyTiersAtCreation=Notificar a los terceros en la creación TicketGroup=Grupo TicketsDisableCustomerEmail=Desactivar siempre los e-mails al crear tickets desde la interfaz pública +TicketsPublicNotificationNewMessage=Enviar e-mail(s) cuando se añade un nuevo mensaje +TicketsPublicNotificationNewMessageHelp=Enviar e-mail(s) cuando se añade un nuevo mensaje desde la interfaz pública (al usuario asignado o al e-mail de notificaciones (actualización) y o el e-mail de notificaciones a) +TicketPublicNotificationNewMessageDefaultEmail=Notificaciones por e-mail a (actualización) +TicketPublicNotificationNewMessageDefaultEmailHelp=Envíe notificaciones de mensajes nuevos por e-mail a esta dirección si el ticket no tiene un usuario asignado o si el usuario no tiene un e-mail. # # Index & list page # -TicketsIndex=Ticket - Inicio +TicketsIndex=Área de tickets TicketList=Listado de tickets TicketAssignedToMeInfos=Esta página muestra el listado de tickets que están asignados al usuario actual NoTicketsFound=Ningún ticket encontrado @@ -254,7 +258,7 @@ TicketPublicDesc=Puede crear un ticket de soporte o comprobar un ID existente. YourTicketSuccessfullySaved=¡Ticket guardado con éxito! MesgInfosPublicTicketCreatedWithTrackId=Se ha creado un nuevo ticket con ID %s y Ref %s. PleaseRememberThisId=Por favor, mantenga el número de seguimiento ya que podríamos solicitarlo más adelante. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Confirmación de creación de ticket - Ref. %s (ID de ticket público %s) TicketNewEmailSubjectCustomer=Nuevo ticket de soporte TicketNewEmailBody=Este es un e-mail automático para confirmar que ha registrado un nuevo ticket. TicketNewEmailBodyCustomer=Este es un e-mail automático para confirmar que se acaba de crear un nuevo ticket en su cuenta. @@ -273,7 +277,7 @@ Subject=Asunto ViewTicket=Ver ticket ViewMyTicketList=Ver mi lista de tickets ErrorEmailMustExistToCreateTicket=Error: dirección de e-mail no encontrada en nuestra base de datos -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailSubjectAdmin=Nuevo ticket creado - Ref. %s (ID de ticket público %s) TicketNewEmailBodyAdmin=

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

SeeThisTicketIntomanagementInterface=Ver Ticket en la interfaz de administración TicketPublicInterfaceForbidden=La interfaz pública para los tickets no estaba habilitada. diff --git a/htdocs/langs/es_ES/users.lang b/htdocs/langs/es_ES/users.lang index b843c3e6ba4..fa387b382d7 100644 --- a/htdocs/langs/es_ES/users.lang +++ b/htdocs/langs/es_ES/users.lang @@ -70,7 +70,7 @@ ExportDataset_user_1=Usuarios y sus propiedades. DomainUser=Usuario de dominio Reactivate=Reactivar CreateInternalUserDesc=Este formulario le permite crear un usuario interno para su empresa/organización. Para crear un usuario externo (cliente, proveedor, etc), use el botón "Crear una cuenta de usuario" desde la ficha de un contacto del tercero. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +InternalExternalDesc=Un usuario interno es un usuario que forma parte de su empresa/organización.
Un usuario externo es un cliente, proveedor u otro (La creación de un usuario externo para un tercero se puede hacer desde el registro de contacto del tercero).

En ambos casos, los permisos definen los derechos en Dolibarr, también el usuario externo puede tener un administrador de menú diferente al usuario interno (Ver Inicio - Configuración - Entorno) PermissionInheritedFromAGroup=El permiso se concede ya que lo hereda de un grupo al cual pertenece el usuario. Inherited=Heredado UserWillBeInternalUser=El usuario creado será un usuario interno (ya que no está ligado a un tercero en particular) @@ -78,6 +78,7 @@ UserWillBeExternalUser=El usuario creado será un usuario externo (ya que está IdPhoneCaller=ID llamante (teléfono) NewUserCreated=usuario %s creado NewUserPassword=Passord cambiado para %s +NewPasswordValidated=Su nueva contraseña ha sido validada y debe usarse ahora para iniciar sesión. EventUserModified=Usuario %s modificado UserDisabled=Usuario %s deshailitado UserEnabled=Usuario %s activado @@ -113,5 +114,5 @@ 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 ValidatorIsSupervisorByDefault=Por defecto, el validador es el supervisor del usuario. Mantener vacío para mantener este comportamiento. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Email personal +UserPersonalMobile=Teléfono móvil personal diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang index b76d1c83cf6..537f77c6494 100644 --- a/htdocs/langs/es_ES/website.lang +++ b/htdocs/langs/es_ES/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Archivo de robots (robots.txt) WEBSITE_HTACCESS=Archivo .htaccess del sitio web WEBSITE_MANIFEST_JSON=Archivo manifest.json del sitio web WEBSITE_README=Archivo README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Ingrese aquí metadatos o información de licencia para llenar un archivo README.md. si distribuye su sitio web como plantilla, el archivo se incluirá en el paquete template. HtmlHeaderPage=Encabezado HTML (específico de esta página solamente) PageNameAliasHelp=Nombre o alias de la página.
Este alias es utilizado también para construir una URL SEO cuando el website sea lanzado desde un Host Virtual de un servidor (como Apache, Nginx...). Usar el botón "%s" para editar este alias. @@ -42,8 +43,8 @@ ViewPageInNewTab=Ver página en una pestaña nueva SetAsHomePage=Establecer como Página de inicio RealURL=URL Real ViewWebsiteInProduction=Ver sitio web usando la URL de inicio -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost= Usar con Apache/NGinx /...
Crea en su servidor web (Apache, Nginx, ...) de un host virtual dedicado con PHP habilitado y un directorio raíz en
%s +ExampleToUseInApacheVirtualHostConfig=Ejemplo para usar en la configuración del host virtual Apache: YouCanAlsoTestWithPHPS=En el entorno de desarrollo, es posible que prefiera probar el sitio con el servidor web incrustado de PHP (se requiere PHP 5.5) ejecutando
php -S 0.0.0.0:8080 -t %s YouCanAlsoDeployToAnotherWHP=Ejecute su sitio web con otro proveedor de alojamiento Dolibarr
Si no tiene un servidor web como Apache o NGinx disponible en Internet, puede exportar e importar su sitio web a otra instancia de Dolibarr proporcionada por otro proveedor de alojamiento de Dolibarr que brinde una integración completa con el módulo del sitio web. Puede encontrar una lista de algunos proveedores de hosting Dolibarr en https://saas.dolibarr.org CheckVirtualHostPerms=Compruebe también que el host virtual tiene %s en archivos en %s @@ -57,7 +58,7 @@ NoPageYet=No hay páginas todavía YouCanCreatePageOrImportTemplate=Puede crear una nueva página o importar una plantilla de sitio web completa SyntaxHelp=Ayuda en la sintaxis del código YouCanEditHtmlSourceckeditor=Puede editar código fuente HTML utilizando el botón "Origen" en el editor. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource= 
Puede incluir el código PHP en esta fuente utilizando las etiquetas <?php ?> Las siguientes variables globales están disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

Para añadir un vínculo a otra página, utilice la sintaxis:
<a href="alias_of_page_to_link_to.php">mylink<a>

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

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

Más ejemplos de HTML o código dinámico disponible en documentacion wiki
. ClonePage=Clonar página/contenedor CloneSite=Clonar sitio SiteAdded=Sitio web agregado @@ -77,7 +78,7 @@ BlogPost=Entrada en el blog WebsiteAccount=Cuenta del sitio web WebsiteAccounts=Cuentas del sitio web AddWebsiteAccount=Crear cuenta de sitio web -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Volver a la lista de terceros DisableSiteFirst=Deshabilite primero el sitio web MyContainerTitle=Título de mi sitio web AnotherContainer=Así es como se incluye el contenido de otra página/contenedor (puede tener un error aquí si habilita el código dinámico porque el subcontenedor incrustado puede no existir) @@ -85,7 +86,7 @@ SorryWebsiteIsCurrentlyOffLine=Lo sentimos, este sitio web está actualmente fue WEBSITE_USE_WEBSITE_ACCOUNTS=Habilitar tabla de cuentas del sitio web WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilitar tabla para almacenar cuentas del sitio web (inicio de sesión/contraseña) para cada sitio web/tercero YouMustDefineTheHomePage=Antes debe definir la página de inicio por defecto -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Advertencia: la creación de una página web mediante la importación de una página web externa está reservada para usuarios experimentados. Dependiendo de la complejidad de la página de origen, el resultado de la importación puede diferir del original. Además, si la página de origen usa estilos CSS comunes o JavaScript conflictivo, puede romper el aspecto o las características del editor del sitio web cuando se trabaja en esta página. Este método es una forma más rápida de crear una página, pero se recomienda crear su nueva página desde cero o desde una plantilla de página sugerida.
Tenga en cuenta también que el editor en línea puede no funcionar correctamente cuando se usa en una página externa capturada. OnlyEditionOfSourceForGrabbedContent=Nota: solo será posible editar una fuente HTML cuando el contenido de una página se integre utilizando una página externa GrabImagesInto=Obtener también imágenes encontradas en css y página. ImagesShouldBeSavedInto=Las imágenes deben guardarse en el directorio @@ -120,11 +121,14 @@ ShowSubContainersOnOff=El modo para ejecutar 'dynamic content' es %s GlobalCSSorJS=Archivo global CSS/JS/Header del sitio web BackToHomePage=Volver a la página de inicio... TranslationLinks=Enlaces de traducción -YouTryToAccessToAFileThatIsNotAWebsitePage=Intenta acceder a una página que no es una página web +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Para buenas prácticas de SEO, use un texto de entre 5 y 70 caracteres. -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +MainLanguage=Lenguaje principal +OtherLanguages=Otros idiomas +UseManifest=Proporcionar un archivo manifest.json +PublicAuthorAlias=Alias de autor público +AvailableLanguagesAreDefinedIntoWebsiteProperties=Los idiomas disponibles se definen en las propiedades del sitio web +ReplacementDoneInXPages=Reemplazo realizado en páginas o contenedores %s +RSSFeed=Hilos RSS +RSSFeedDesc=Puede obtener una fuente RSS de los últimos artículos con el tipo 'blogpost' usando esta URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/es_ES/withdrawals.lang b/htdocs/langs/es_ES/withdrawals.lang index 0f07b85d0e5..c601bf90d37 100644 --- a/htdocs/langs/es_ES/withdrawals.lang +++ b/htdocs/langs/es_ES/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Área domiciliaciones -SuppliersStandingOrdersArea=Área domiciliaciones +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Domiciliaciones StandingOrderPayment=Domiciliación NewStandingOrder=Nueva domiciliación +NewPaymentByBankTransfer=Nuevo pago por transferencia bancaria StandingOrderToProcess=A procesar +PaymentByBankTransferReceipts=Órdenes de transferencia bancaria +PaymentByBankTransferLines=Líneas de orden de transferencia bancaria WithdrawalsReceipts=Domiciliaciones WithdrawalReceipt=Domiciliación +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Últimas %s órdenes de transferencia bancaria LastWithdrawalReceipts=Últimas %s domiciliaciones +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Lineas de domiciliación -RequestStandingOrderToTreat=Peticiones de domiciliaciones a procesar -RequestStandingOrderTreated=Peticiones de domiciliaciones procesadas +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Todavía no es posible. El estado de la domiciliación debe ser 'abonada' antes de poder realizar devoluciones a sus líneas NbOfInvoiceToWithdraw=Nº de facturas pendientes de domiciliación NbOfInvoiceToWithdrawWithInfo=Número de facturas en espera de domiciliación para clientes que tienen su número de cuenta definida +NbOfInvoiceToPayByBankTransfer=Nº de facturas de proveedores pendientes de transferencia bancaria +SupplierInvoiceWaitingWithdraw=Factura de proveedor pendiente de transferencia bancaria InvoiceWaitingWithdraw=Facturas en espera de domiciliación +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Cantidad a domiciliar -WithdrawsRefused=Domiciliaciones devueltas -NoInvoiceToWithdraw=Ninguna factura a cliente con modo de pago 'Domiciliación' en espera. Ir a la pestaña '%s' en la ficha de la factura para hacer una petición. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No hay ninguna factura de proveedor con 'Solicitudes de crédito directas' pendientes. Vaya a la pestaña '%s' en la pestaña de factura para hacer una solicitud. ResponsibleUser=Usuario responsable de las domiciliaciones WithdrawalsSetup=Configuración de las domiciliaciones +CreditTransferSetup=Configuración transferencia bancaria WithdrawStatistics=Estadísticas de domiciliaciones -WithdrawRejectStatistics=Estadísticas de domiciliaciones devueltas +CreditTransferStatistics=Credit transfer statistics +Rejects=Devoluciones LastWithdrawalReceipt=Las %s últimas domiciliaciones MakeWithdrawRequest=Realizar una petición de domiciliación WithdrawRequestsDone=%s domiciliaciones registradas @@ -34,7 +50,9 @@ TransMetod=Método envío Send=Enviar Lines=Líneas StandingOrderReject=Emitir una devolución +WithdrawsRefused=Domiciliaciones devueltas WithdrawalRefused=Devolución de domiciliación +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=¿Está seguro de querer crear una devolución de domiciliación para la empresa RefusedData=Fecha de devolución RefusedReason=Motivo de devolución @@ -58,6 +76,8 @@ StatusMotif8=Otro motivo CreateForSepaFRST=Domiciliar (SEPA FRST) CreateForSepaRCUR=Domiciliar (SEPA RCUR) CreateAll=Domiciliar todas +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Sólo oficina CreateBanque=Sólo banco OrderWaiting=En espera de proceso @@ -67,6 +87,7 @@ NumeroNationalEmetter=Número Nacional del Emisor WithBankUsingRIB=Para las cuentas bancarias que utilizan CCC WithBankUsingBANBIC=Para las cuentas bancarias que utilizan el código BAN/BIC/SWIFT BankToReceiveWithdraw=Cuenta bancaria para recibir la domiciliación +BankToPayCreditTransfer=Cuenta bancaria usada para los pagos CreditDate=Abonada el WithdrawalFileNotCapable=No es posible generar el fichero bancario de domiciliación para el país %s (El país no está soportado) ShowWithdraw=Mostrar domiciliación @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene pend DoStandingOrdersBeforePayments=Esta pestaña le permite realizar una petición de domiciliación. Una vez realizadas las peticiones, vaya al menú Bancos->Domiciliaciones para gestionar la domiciliación. Al cerrar una domiciliación, los pagos de las facturas se registrarán automáticamente, y las facturas completamente pagadas serán cerradas. WithdrawalFile=Archivo de la domiciliación SetToStatusSent=Clasificar como "Archivo enviado" -ThisWillAlsoAddPaymentOnInvoice=Se crearán los pagos de las facturas y las clasificarán como pagadas si el resto a pagar es 0 +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Estadísticas por estados de líneas RUM=RUM DateRUM=Fecha de firma del mandato diff --git a/htdocs/langs/es_GT/accountancy.lang b/htdocs/langs/es_GT/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_GT/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_GT/admin.lang b/htdocs/langs/es_GT/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_GT/admin.lang +++ b/htdocs/langs/es_GT/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_GT/companies.lang b/htdocs/langs/es_GT/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_GT/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_GT/main.lang b/htdocs/langs/es_GT/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/es_GT/main.lang +++ b/htdocs/langs/es_GT/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_GT/modulebuilder.lang b/htdocs/langs/es_GT/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_GT/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_GT/projects.lang b/htdocs/langs/es_GT/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_GT/projects.lang +++ b/htdocs/langs/es_GT/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_GT/website.lang b/htdocs/langs/es_GT/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_GT/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_HN/accountancy.lang b/htdocs/langs/es_HN/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_HN/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_HN/admin.lang b/htdocs/langs/es_HN/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_HN/admin.lang +++ b/htdocs/langs/es_HN/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_HN/companies.lang b/htdocs/langs/es_HN/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_HN/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_HN/main.lang b/htdocs/langs/es_HN/main.lang index 0d6b013ca18..7579f1f4693 100644 --- a/htdocs/langs/es_HN/main.lang +++ b/htdocs/langs/es_HN/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_HN/modulebuilder.lang b/htdocs/langs/es_HN/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_HN/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_HN/projects.lang b/htdocs/langs/es_HN/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_HN/projects.lang +++ b/htdocs/langs/es_HN/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_HN/website.lang b/htdocs/langs/es_HN/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_HN/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_MX/accountancy.lang b/htdocs/langs/es_MX/accountancy.lang index 67b69798051..37fdb0db710 100644 --- a/htdocs/langs/es_MX/accountancy.lang +++ b/htdocs/langs/es_MX/accountancy.lang @@ -3,36 +3,104 @@ ACCOUNTING_EXPORT_SEPARATORCSV=Separador de columnas para el archivo de exportac ACCOUNTING_EXPORT_DATE=Formato de fecha para el archivo de exportación ACCOUNTING_EXPORT_PIECE=Exportar el número de pieza ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Exportación con cuenta global +ACCOUNTING_EXPORT_ENDLINE=Seleccione el estilo del salto de línea DefaultForService=Predeterminado para servicio +Chartofaccounts=Gráfico de cuentas +CurrentDedicatedAccountingAccount=Cuenta actual dedicada  +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 vinculadas 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? AlreadyInGeneralLedger=Ya registrado en diarios +GroupIsEmptyCheckSetup=El grupo está vacío, verifique la configuración del grupo de contabilidad personalizado +DetailByAccount=Mostrar detalles por cuenta +AccountWithNonZeroValues=Cuentas con valores distintos de cero +CountriesInEEC=Países de la Comunidad Europea +MainAccountForCustomersNotDefined=Cuenta contable principal para clientes no definidos en la configuración +MainAccountForSuppliersNotDefined=Cuenta contable principal para proveedores no definidos en la configuración +MainAccountForUsersNotDefined=Cuenta contable principal para usuarios no definidos en la configuración +MainAccountForVatPaymentNotDefined=Cuenta contable principal para el pago del IVA no definida en la configuración +MainAccountForSubscriptionPaymentNotDefined=Cuenta contable principal para el pago de suscripción no definida en la configuración +AccountancyArea=Área contable +AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan una sola vez, o una vez al año ... +AccountancyAreaDescActionOnceBis=Deben realizarse los siguientes pasos para ahorrarle tiempo en el futuro sugiriéndole la cuenta contable predeterminada correcta al realizar la periodización (registro de escritura en diarios y libro mayor) +AccountancyAreaDescActionFreq=Las siguientes acciones generalmente se ejecutan cada mes, semana o día para empresas muy grandes ... AccountancyAreaDescJournalSetup=PASO %s: Cree o verifique el contenido de su lista de diario desde el menú %s +AccountancyAreaDescVat=PASO %s: Defina cuentas contables para cada tipo de IVA. Para esto, use la entrada del menú %s. +AccountancyAreaDescDefault=PASO %s: Defina cuentas contables predeterminadas. Para esto, use la entrada del menú %s. +AccountancyAreaDescExpenseReport=PASO %s: Defina cuentas contables predeterminadas para cada tipo de reporte de gastos. Para esto, use la entrada del menú %s. +AccountancyAreaDescSal=PASO %s: Defina cuentas contables predeterminadas para el pago de salarios. Para esto, use la entrada del menú %s. +AccountancyAreaDescContrib=PASO %s: Defina cuentas contables predeterminadas para gastos especiales (impuestos varios). Para esto, use la entrada del menú %s. +AccountancyAreaDescDonation=PASO %s: Defina cuentas contables predeterminadas para donaciones. Para esto, use la entrada del menú %s. +AccountancyAreaDescSubscription=PASO %s: Defina cuentas contables predeterminadas para la suscripción de miembros. Para esto, use la entrada del menú %s. +AccountancyAreaDescMisc=PASO %s: Defina la cuenta predeterminada obligatoria y las cuentas contables predeterminadas para transacciones misceláneas. Para esto, use la entrada del menú %s. +AccountancyAreaDescLoan=PASO %s: Defina cuentas contables predeterminadas para préstamos. Para esto, use la entrada del menú %s. +AccountancyAreaDescBank=PASO %s: Defina las cuentas contables y el código de diario para cada banco y cuentas financieras. Para esto, use la entrada del menú %s. +AccountancyAreaDescProd=PASO %s: Defina cuentas contables en sus productos / servicios. Para esto, use la entrada del menú %s. AccountancyAreaDescBind=PASO %s: Compruebe el enlace entre las líneas %s existentes y la cuenta de contabilidad está terminada, para que la aplicación pueda registrar las transacciones en el libro mayor en un solo clic. Complete los enlaces que falten. Para ello, utilice la entrada de menú %s. +AccountancyAreaDescWriteRecords=PASO %s: Escriba las 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 completó un paso obligatorio en la configuración (el diario del código de contabilidad no está definido para todas las cuentas bancarias) Selectchartofaccounts=Seleccionar gráfico activo de cuentas +SubledgerAccount=Cuenta auxiliar +SubledgerAccountLabel=Etiqueta de la cuenta auxiliar ShowAccountingAccount=Mostrar cuenta contable ShowAccountingJournal=Mostrar registro de contabilidad +MenuDefaultAccounts=Cuentas predeterminadas MenuBankAccounts=Cuentas de banco +MenuExpenseReportAccounts=Cuentas de reporte de gastos +MenuProductsAccounts=Cuentas de productos +MenuClosureAccounts=Cuentas de cierre +MenuAccountancyClosure=Cierre Binding=Agregando a cuentas CustomersVentilation=Agregar factura de cliente +SuppliersVentilation=Enlace de factura de proveedor +ExpenseReportsVentilation=Enlace de reporte de gastos CreateMvts=Crear nueva transaccion UpdateMvts=Modificación de una transacción ValidTransaction=Validar transacción +WriteBookKeeping=Registrar transacciones en el Libro Mayor Bookkeeping=Libro mayor +ObjectsRef=Referencia del objeto fuente +CAHTF=Compra total de proveedor antes de impuestos InvoiceLines=Líneas de facturas para enlazar InvoiceLinesDone=Líneas de facturas vinculadas +ExpenseReportLinesDone=Líneas consolidadas de reportes de gastos IntoAccount=Unir partida con la cuenta contable Ventilate=Agregar +LineId=ID de línea Processing=Procesando EndProcessing=Proceso terminado SelectedLines=Partidas seleccionadas Lineofinvoice=Partida de factura +LineOfExpenseReport=Linea de reporte de gastos +NoAccountSelected=No se seleccionó una cuenta contable VentilatedinAccount=Agregado exitosamente a la cuenta contable NotVentilatedinAccount=No añadido a la cuenta contable +XLineSuccessfullyBinded=%s productos / servicios vinculados con éxito a una cuenta contable +XLineFailedToBeBinded=%s productos / servicios no estaban vinculados a ninguna cuenta contable +ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a unir mostrados por página (máximo recomendado: 50) +ACCOUNTING_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 ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario de varios ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario de reporte de gastos ACCOUNTING_SOCIAL_JOURNAL=Diario Social +ACCOUNTING_HAS_NEW_JOURNAL=Tiene nuevo diario +ACCOUNTING_RESULT_PROFIT=Cuenta contable de resultados (Ganancia) +ACCOUNTING_RESULT_LOSS=Cuenta contable de resultados (Pérdida) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Cierre Diario +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta contable de transferencia bancaria transitoria +TransitionalAccount=Cuenta de transferencia bancaria transitoria +ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta contable de espera +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Cuenta contable para registrar suscripciones +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Cuenta contable por defecto para los productos comprados (se usa si no se define en la hoja de productos) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Cuenta contable por defecto para los productos vendidos (si no ha sido definida en la hoja \nproducto) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Cuenta contable por defecto para los productos vendidos en la EEC (utilizada si no se define en la hoja de producto) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos vendidos y exportados fuera de la EEC (usado si no está definido en la hoja de producto) ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta contable por defecto para los servicios comprados (si no ha sido definida en la hoja \nservicio) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Cuenta contable por defecto para los servicios vendidos (si no ha sido definida en la hoja servicio) LabelAccount=Descripción de la cuenta diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang index 441a6d31cb8..8bbfb8d809c 100644 --- a/htdocs/langs/es_MX/admin.lang +++ b/htdocs/langs/es_MX/admin.lang @@ -65,7 +65,6 @@ NextValueForInvoices=Valor siguiente (facturas) NextValueForCreditNotes=Valor siguiente (notas de crédito) NextValueForDeposit=Valor siguiente (pago inicial) NextValueForReplacements=Valor siguiente (sustituciones) -MustBeLowerThanPHPLimit=Nota: tu configuración PHP actualmente limita el máximo tamaño de fichero para subir a %s %s, independientemente de el valor de este parametro NoMaxSizeByPHPLimit=Nota: No hay límite establecido en la configuración de PHP MaxSizeForUploadedFiles=El tamaño máximo para los archivos subidos (0 para no permitir ninguna carga) UseCaptchaCode=Utilizar el código gráfico (CAPTCHA) en la página de inicio de sesión @@ -227,6 +226,7 @@ WarningSettingSortOrder=Advertencia, establecer un orden predeterminado puede re Module20Name=Propuestas Module30Name=Facturas Module40Name=Vendedores +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. DictionaryAccountancyJournal=Diarios de contabilidad DictionarySocialNetworks=Redes Sociales DictionaryProspectStatus=Estatus del cliente potencial @@ -236,5 +236,6 @@ AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en la vista de agenda ConfFileMustContainCustom=Instalar o construir un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s . Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva: $dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; MailToSendProposal=Propuestas de clientes MailToSendInvoice=Facturas de clientes -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_MX/bills.lang b/htdocs/langs/es_MX/bills.lang index a9e388cf198..2eca7855931 100644 --- a/htdocs/langs/es_MX/bills.lang +++ b/htdocs/langs/es_MX/bills.lang @@ -28,6 +28,7 @@ InvoiceCustomer=Factura del cliente CustomerInvoice=Factura del cliente ConfirmDeletePayment=Are you sure you want to delete this payment ? PaymentAmount=Importe de pago +BillStatusDraft=Borrador (necesita ser validado) BillStatusPaid=Pagado BillStatusStarted=Iniciado BillShortStatusPaid=Pagado @@ -37,11 +38,10 @@ BillShortStatusStarted=Iniciado BillShortStatusClosedUnpaid=Cerrada BillFrom=De BillTo=Hacia -StandingOrder=Orden de domiciliación bancaria CustomerBillsUnpaid=Facturas de clientes no pagadas +Billed=Facturada CreditNote=Nota de crédito ReasonDiscount=Razón PaymentTypeCB=Tarjeta de crédito PaymentTypeShortCB=Tarjeta de crédito -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template situationInvoiceShortcode_S=D diff --git a/htdocs/langs/es_MX/companies.lang b/htdocs/langs/es_MX/companies.lang index 4ffbf46023e..e03c2bd72da 100644 --- a/htdocs/langs/es_MX/companies.lang +++ b/htdocs/langs/es_MX/companies.lang @@ -13,7 +13,6 @@ CreateThirdPartyAndContact=Crear un tercero + un contacto hijo IdThirdParty=ID de tercero IdCompany=ID de empresa IdContact=ID de contacto -Contacts=Contactos/Direcciones ThirdPartyContacts=Contactos de terceros ThirdPartyContact=Contacto/dirección de terceros CompanyName=Nombre de empresa @@ -107,6 +106,10 @@ ProfId5MA=ID. prof. 5 (I.C.E.) ProfId2MX=R.P. IMSS ProfId3PT=Prof Id 3 (número de registro comercial) ProfId1US=ID del profesional (FEIN) +ProfId1RO=ID 1 (CUI) +ProfId2RO=ID2 ( Fiscal matricule) +ProfId3RO=ID 3 (CAEN) +ProfId5RO=ID 5 (EUID) VATIntra=ID de IVA VATIntraShort=ID de IVA VATIntraSyntaxIsValid=La sintaxis es válida @@ -133,6 +136,7 @@ CustomerAbsoluteDiscountMy=Descuento absoluto para el cliente (autorizado por us SupplierAbsoluteDiscountAllUsers=Descuento absoluto con proveedor (dado por todos los usuarios) SupplierAbsoluteDiscountMy=Descuento absoluto con proveedor (dado por usted mismo) DiscountNone=Ninguno +Contacts=Contactos/Direcciones ContactId=ID de contacto NoContactDefinedForThirdParty=No se ha definido un contacto para este tercero NoContactDefined=No hay contacto definido @@ -194,13 +198,19 @@ AllocateCommercial=Asignado al representante de ventas Organization=Organización FiscalYearInformation=Año fiscal FiscalMonthStart=Més de inicio del año fiscal +SocialNetworksInformation=Redes Sociales +SocialNetworksFacebookURL=Facebook +SocialNetworksTwitterURL=Twitter +SocialNetworksLinkedinURL=Linkedin +SocialNetworksInstagramURL=Instagram +SocialNetworksYoutubeURL=Youtube +SocialNetworksGithubURL=Github YouMustAssignUserMailFirst=Debe crear un correo electrónico para este usuario primero para poder agregarle notificaciones de 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 clientes potenciales ListCustomersShort=Lista de clientes ThirdPartiesArea=Terceros/Contactos -LastModifiedThirdParties=Últimos %s Terceros modificados UniqueThirdParties=Total de terceros InActivity=Abierta OutstandingBillReached=Max. para la cuenta pendiente alcanzada diff --git a/htdocs/langs/es_MX/main.lang b/htdocs/langs/es_MX/main.lang index 257b51e4abb..2d6ab5a1e81 100644 --- a/htdocs/langs/es_MX/main.lang +++ b/htdocs/langs/es_MX/main.lang @@ -20,6 +20,7 @@ FormatDateHourSecShort=%I:%M:%S %p %d/%m/%Y FormatDateHourTextShort=%I:%M %p, %d %b %Y FormatDateHourText=%I:%M %p, %d %B %Y AvailableVariables=Variables de sustitución disponibles +EmptySearchString=Enter non empty search criterias NoRecordFound=Ningún registro fue encontrado NoError=No hay error ErrorFieldFormat=El campo '%s' contiene un valor incorrecto @@ -124,7 +125,6 @@ Opened=Abierta ByCompanies=Por terceros Links=Vínculos Link=Vínculo -Rejects=Rechazos Preview=Previsualización None=Ninguno NoneF=Ninguno @@ -266,7 +266,8 @@ ShortThursday=MJ Select2NotFound=No se encontró ningún resultado Select2Enter=Entrar SearchIntoCustomerInvoices=Facturas de clientes -SearchIntoCustomerProposals=Propuestas de clientes +SearchIntoCustomerProposals=Propuestas comerciales SearchIntoExpenseReports=Reporte de gastos AssignedTo=Asignado a ContactDefault_agenda=Evento +ContactDefault_propal=Cotización diff --git a/htdocs/langs/es_MX/modulebuilder.lang b/htdocs/langs/es_MX/modulebuilder.lang index d2e2992eac2..4805c2fa2c0 100644 --- a/htdocs/langs/es_MX/modulebuilder.lang +++ b/htdocs/langs/es_MX/modulebuilder.lang @@ -3,7 +3,6 @@ ObjectKey=Clave de objeto ModuleBuilderDeschooks=Esta pestaña está dedicada a los ganchos. ModuleBuilderDescwidgets=Esta pestaña está dedicada a administrar / crear widgets. BuildDocumentation=Crear documentación -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: DescriptorFile=Archivo descriptor del módulo ApiClassFile=Archivo para la clase API de PHP PageForList=Página PHP para la lista de registro diff --git a/htdocs/langs/es_MX/productbatch.lang b/htdocs/langs/es_MX/productbatch.lang new file mode 100644 index 00000000000..a6a3013a50e --- /dev/null +++ b/htdocs/langs/es_MX/productbatch.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - productbatch +SellByDate=Venta-por fecha +AddDispatchBatchLine=Agregar una linea de Vida Útil para despacho diff --git a/htdocs/langs/es_MX/projects.lang b/htdocs/langs/es_MX/projects.lang index 6131522fb16..0b2a8e7a517 100644 --- a/htdocs/langs/es_MX/projects.lang +++ b/htdocs/langs/es_MX/projects.lang @@ -1,4 +1,4 @@ # Dolibarr language file - Source file is en_US - projects +ProjectsImContactFor=Projects for I am explicitly a contact AddHereTimeSpentForDay=Añadir aquí el tiempo dedicado a este día / tarea -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. OppStatusPROPO=Cotización diff --git a/htdocs/langs/es_MX/website.lang b/htdocs/langs/es_MX/website.lang index c290dfeb729..bd4d096271b 100644 --- a/htdocs/langs/es_MX/website.lang +++ b/htdocs/langs/es_MX/website.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - website HomePage=Página Principal NoPageYet=Sin páginas aun +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. GrabImagesInto=Insertar también las imágenes encontradas en CSS y página. diff --git a/htdocs/langs/es_MX/withdrawals.lang b/htdocs/langs/es_MX/withdrawals.lang index a8e96ea7b03..bfed27b108a 100644 --- a/htdocs/langs/es_MX/withdrawals.lang +++ b/htdocs/langs/es_MX/withdrawals.lang @@ -1,3 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals WithdrawalReceipt=Orden de domiciliación bancaria +Rejects=Rechazos StatusRefused=Rechazado diff --git a/htdocs/langs/es_PA/accountancy.lang b/htdocs/langs/es_PA/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_PA/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_PA/admin.lang b/htdocs/langs/es_PA/admin.lang index 458ab5fc1b4..50fde0bf9c3 100644 --- a/htdocs/langs/es_PA/admin.lang +++ b/htdocs/langs/es_PA/admin.lang @@ -1,4 +1,6 @@ # Dolibarr language file - Source file is en_US - admin VersionUnknown=Desconocido -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PA/companies.lang b/htdocs/langs/es_PA/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_PA/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_PA/main.lang b/htdocs/langs/es_PA/main.lang index 1602d6a7ffa..bcdd3f914eb 100644 --- a/htdocs/langs/es_PA/main.lang +++ b/htdocs/langs/es_PA/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_PA/modulebuilder.lang b/htdocs/langs/es_PA/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_PA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_PA/projects.lang b/htdocs/langs/es_PA/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_PA/projects.lang +++ b/htdocs/langs/es_PA/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_PA/website.lang b/htdocs/langs/es_PA/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_PA/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang index 16738012308..3e3fea2b987 100644 --- a/htdocs/langs/es_PE/admin.lang +++ b/htdocs/langs/es_PE/admin.lang @@ -3,6 +3,7 @@ VersionProgram=Versión del programa VersionLastInstall=Instalar versión inicial ExampleOfDirectoriesForModelGen=Ejemplo de sintaxis:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir Module30Name=Facturas +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Permission91=Consultar impuestos e IGV Permission92=Crear/modificar impuestos e IGV Permission93=Eliminar impuestos e IGV @@ -10,5 +11,6 @@ DictionaryVAT=Tasa de IGV o tasa de impuesto a las ventas UnitPriceOfProduct=Precio unitario sin IGV de un producto OptionVatMode=IGV adeudado MailToSendInvoice=Facturas de Clientes -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PE/bills.lang b/htdocs/langs/es_PE/bills.lang index 124c730f7cb..201a9d74882 100644 --- a/htdocs/langs/es_PE/bills.lang +++ b/htdocs/langs/es_PE/bills.lang @@ -10,4 +10,3 @@ ConfirmClassifyPaidPartiallyReasonDiscountNoVat=El resto a pagar (%s %s) AmountOfBillsByMonthHT=Importe de las facturas por mes (Sin IGV) CreditNote=Nota de crédito VATIsNotUsedForInvoice=* IGV no aplicable art-293B del CGI -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/es_PE/main.lang b/htdocs/langs/es_PE/main.lang index ecb8bb29791..7140f0a388b 100644 --- a/htdocs/langs/es_PE/main.lang +++ b/htdocs/langs/es_PE/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias NoError=Sin error ErrorNoVATRateDefinedForSellerCountry=Error, no hay tipos de IGV definidos para el país '%s'. NotClosed=No se ha cerrado @@ -57,6 +58,7 @@ VATRate=Tasa Impuesto VATCode=Código de la Tasa del Impuesto Drafts=Borrador Opened=Abrir +SearchIntoMO=Órdenes de Fabricación SearchIntoCustomerInvoices=Facturas de Clientes ContactDefault_invoice_supplier=Factura de Proveedor ContactDefault_propal=Cotización diff --git a/htdocs/langs/es_PE/modulebuilder.lang b/htdocs/langs/es_PE/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_PE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_PE/mrp.lang b/htdocs/langs/es_PE/mrp.lang index adc1bbf4eb2..8488907e055 100644 --- a/htdocs/langs/es_PE/mrp.lang +++ b/htdocs/langs/es_PE/mrp.lang @@ -23,6 +23,7 @@ WatermarkOnDraftMOs=Marca de agua en borrador MO ConfirmCloneBillOfMaterials=Está seguro de clonar esta lista de materiales %s? ConfirmCloneMo=Está seguro de clonar la Orden de Fabricación %s? ValueOfMeansLoss=Valor de 0.95 significa un promedio de 5%% pérdidas durante la producción +ValueOfMeansLossForProductProduced=Valor de 0.95 significa un promedio de 5 %% de pérdidas del producto producido DeleteBillOfMaterials=Eliminar Lista De Materiales ConfirmDeleteBillOfMaterials=Está seguro de borrar esta Lista de Materiales ConfirmDeleteMo=Está seguro de borrar esta Lista de Materiales @@ -45,10 +46,15 @@ ToConsume=Consumir ToProduce=Producir QtyAlreadyConsumed=Cant. consumida QtyAlreadyProduced=Cant. producida +QtyRequiredIfNoLoss=Si la cantidad requerida no tiene pérdidas (Eficiencia de fabricación es del 100%%) ConsumeOrProduce=Consumir o Producir ConsumeAndProduceAll=Consumir y Producir Todo TheProductXIsAlreadyTheProductToProduce=El producto a agregar es el producto a producir ConfirmValidateMo=Está seguro de validar esta Orden de Fabricación? +ConfirmProductionDesc=Al hacer click en '%s', validará el consumo y / o producción para las cantidades establecidas. Esto también actualizará el stock y registrará los movimientos de stock. +AutoCloseMO=Cerrar automáticamente la Orden de Fabricación si se completa las cantidades para consumir y producir +NoStockChangeOnServices=Sin cambios de stock en servicios +ProductQtyToConsumeByMO=Cantidad de producto pendiente para consumir por MO abierto. +ProductQtyToProduceByMO=Cantidad de producto pendiente para producir por MO abierto. AddNewConsumeLines=Agregar nueva linea para consumir -ProductsToConsume=Productos para consumir -ProductsToProduce=Productos para producir +TotalCost=Costo total diff --git a/htdocs/langs/es_PE/projects.lang b/htdocs/langs/es_PE/projects.lang index 9abf8160ac0..3ffe0a0da0b 100644 --- a/htdocs/langs/es_PE/projects.lang +++ b/htdocs/langs/es_PE/projects.lang @@ -1,3 +1,3 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact OppStatusPROPO=Cotización diff --git a/htdocs/langs/es_PE/ticket.lang b/htdocs/langs/es_PE/ticket.lang index bd1a55c6a2d..363410255e5 100644 --- a/htdocs/langs/es_PE/ticket.lang +++ b/htdocs/langs/es_PE/ticket.lang @@ -2,3 +2,4 @@ NotRead=Sin leer Read=Leer Type=Tipo +TicketNewEmailBodyInfosTrackUrl=Puedes ver la progresión del ticket haciendo click sobre el seguimiento del ticket. diff --git a/htdocs/langs/es_PE/website.lang b/htdocs/langs/es_PE/website.lang index 85fd95deb49..897087c0a51 100644 --- a/htdocs/langs/es_PE/website.lang +++ b/htdocs/langs/es_PE/website.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - website ReadPerm=Leer +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_PY/accountancy.lang b/htdocs/langs/es_PY/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_PY/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_PY/admin.lang b/htdocs/langs/es_PY/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_PY/admin.lang +++ b/htdocs/langs/es_PY/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PY/companies.lang b/htdocs/langs/es_PY/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_PY/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_PY/main.lang b/htdocs/langs/es_PY/main.lang index 1602d6a7ffa..bcdd3f914eb 100644 --- a/htdocs/langs/es_PY/main.lang +++ b/htdocs/langs/es_PY/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_PY/modulebuilder.lang b/htdocs/langs/es_PY/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_PY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_PY/projects.lang b/htdocs/langs/es_PY/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_PY/projects.lang +++ b/htdocs/langs/es_PY/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_PY/website.lang b/htdocs/langs/es_PY/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_PY/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_US/accountancy.lang b/htdocs/langs/es_US/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_US/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_US/admin.lang b/htdocs/langs/es_US/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_US/admin.lang +++ b/htdocs/langs/es_US/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_US/companies.lang b/htdocs/langs/es_US/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_US/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_US/main.lang b/htdocs/langs/es_US/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/es_US/main.lang +++ b/htdocs/langs/es_US/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_US/modulebuilder.lang b/htdocs/langs/es_US/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_US/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_US/projects.lang b/htdocs/langs/es_US/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_US/projects.lang +++ b/htdocs/langs/es_US/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_US/website.lang b/htdocs/langs/es_US/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_US/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_UY/accountancy.lang b/htdocs/langs/es_UY/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_UY/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_UY/admin.lang b/htdocs/langs/es_UY/admin.lang index 27c312f77d7..6749b4cedf5 100644 --- a/htdocs/langs/es_UY/admin.lang +++ b/htdocs/langs/es_UY/admin.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_UY/companies.lang b/htdocs/langs/es_UY/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/es_UY/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/es_UY/main.lang b/htdocs/langs/es_UY/main.lang index 1602d6a7ffa..bcdd3f914eb 100644 --- a/htdocs/langs/es_UY/main.lang +++ b/htdocs/langs/es_UY/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/es_UY/modulebuilder.lang b/htdocs/langs/es_UY/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_UY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_UY/projects.lang b/htdocs/langs/es_UY/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/es_UY/projects.lang +++ b/htdocs/langs/es_UY/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_UY/website.lang b/htdocs/langs/es_UY/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_UY/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/es_VE/accountancy.lang b/htdocs/langs/es_VE/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/es_VE/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/es_VE/admin.lang b/htdocs/langs/es_VE/admin.lang index 4feb99ac81e..83b80352c90 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 +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Permission254=Modificar la contraseña de otros usuarios Permission255=Eliminar o desactivar otros usuarios Permission256=Consultar sus permisos @@ -30,5 +31,6 @@ WatermarkOnDraftSupplierProposal=Marca de agua en solicitudes de precios a prove LDAPMemberObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPUserObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPContactObjectClassListExample=Lista de objectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_VE/bills.lang b/htdocs/langs/es_VE/bills.lang index d1fe99b8fcd..4e32a0119fd 100644 --- a/htdocs/langs/es_VE/bills.lang +++ b/htdocs/langs/es_VE/bills.lang @@ -8,5 +8,4 @@ PaymentConditionShortPT_ORDER=Pedido PaymentTypeShortTRA=A validar VATIsNotUsedForInvoice=- LawApplicationPart1=- -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template situationInvoiceShortcode_S=D diff --git a/htdocs/langs/es_VE/main.lang b/htdocs/langs/es_VE/main.lang index 1de75d20c42..1785d537814 100644 --- a/htdocs/langs/es_VE/main.lang +++ b/htdocs/langs/es_VE/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias DateEnd=Fecha finalización AmountLT1ES=Importe de retención AmountLT2ES=Importe ISLR diff --git a/htdocs/langs/es_VE/modulebuilder.lang b/htdocs/langs/es_VE/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/es_VE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/es_VE/projects.lang b/htdocs/langs/es_VE/projects.lang new file mode 100644 index 00000000000..d7d90a4212e --- /dev/null +++ b/htdocs/langs/es_VE/projects.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - projects +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/es_VE/website.lang b/htdocs/langs/es_VE/website.lang new file mode 100644 index 00000000000..fe1bd865cea --- /dev/null +++ b/htdocs/langs/es_VE/website.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. diff --git a/htdocs/langs/et_EE/accountancy.lang b/htdocs/langs/et_EE/accountancy.lang index 3b7e45ac3cc..f06ea3b1334 100644 --- a/htdocs/langs/et_EE/accountancy.lang +++ b/htdocs/langs/et_EE/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index 9c8a6573db8..87e0501c0e2 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Järgmine väärtus (arved) NextValueForCreditNotes=Järgmine väärtus (kreeditarved) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Järgmine väärtus (asendused) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Märkus: PHP seadistustes pole piiri määratletud MaxSizeForUploadedFiles=Üleslaetava faili maksimaalne suurus (0 keelab failide üleslaadimise) UseCaptchaCode=Kasuta sisselogimise lehel graafilist koodi (CAPTCHA) @@ -207,7 +207,7 @@ ModulesMarketPlaces=Otsi katsetuskärgus rakendusi/mooduleid ModulesDevelopYourModule=Arenda enda äpp/moodul ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Uus +NewModule=New module FreeModule=Vaba CompatibleUpTo=Ühilduv versioooniga %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Osta / Laadi alla GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore on ametlik Dolibarr ERP/CRM moodulite müümiseks kasutatav koht -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Sisesta telefoninumber, millele kasutaja helistab ClickToD RefreshPhoneLink=Värskenda linki LinkToTest=Kasutaja %s jaoks genereeriti klõpsatav link (testimiseks klõpsa telefoninumbril) KeepEmptyToUseDefault=Jäta tühjaks vaikeväärtuse kasutamiseks +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Vaikimisi link SetAsDefault=Määra vaikimisi ValueOverwrittenByUserSetup=Hoiatus: kasutaja võib selle väärtuse üle kirjutada oma seadetega (iga kasutaja saab määratleda isikliku clicktodial URLi) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass-vöötkoodi loomine kolmandatele osapooltele +BarcodeInitForThirdparties=Mass-vöötkoodi loomine kolmandatele osapooltele BarcodeInitForProductsOrServices=Toodete/teenuste jaoks massiline vöötkoodide loomine või lähtestamine CurrentlyNWithoutBarCode=Praegu on teil %s kirje %s %s kohta ilma vöötkoodi määramata. InitEmptyBarCode=Järgmise %s tühja kirje lähtestamise väärtus @@ -541,8 +542,8 @@ Module54Name=Lepingud/Tellimused Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Vöötkoodid Module55Desc=Vöötkoodide haldamine -Module56Name=Telefonitehnika -Module56Desc=Telefonitehnika integratsioon +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=Moodulite aktiveerimiseks mine süsteemi seadistusesse (Kodu->Seadistamine->Moodulid). SessionTimeOut=Sessiooni aegumise aeg 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. TriggersAvailable=Saadaval olevad trigerid TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Selles failis olevaid trigereid saab blokeerida -NORUN sufiksiga nende nimes. @@ -1262,6 +1264,7 @@ FieldEdition=Välja %s muutmine FillThisOnlyIfRequired=Näide: +2 (täida vaid siis, kui koged ajavööndi nihkega probleeme) GetBarCode=Hangi triipkood NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Tagastab parooli, mis vastab Dolibarri sisemisele algoritmile: 8 tähemärki pikk ja koosneb väikestest tähtedest ja numbritest. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Kolmandad isikud MailToMember=Liikmed MailToUser=Kasutajad MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/et_EE/agenda.lang b/htdocs/langs/et_EE/agenda.lang index bdd9e612d2b..e3c6d5eaf15 100644 --- a/htdocs/langs/et_EE/agenda.lang +++ b/htdocs/langs/et_EE/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Sekkumine %s saadetud e-postiga ProposalDeleted=Pakkumine kustutatud OrderDeleted=Tellimus kustutatud InvoiceDeleted=Arve kustutatud +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Toode %s loodud PRODUCT_MODIFYInDolibarr=Toote %s muudetud PRODUCT_DELETEInDolibarr=Toode %s kustutatud HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Kuluaruanne %s loodud EXPENSE_REPORT_VALIDATEInDolibarr=Kuluaruanne %s kinnitatud @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Alguskuupäev @@ -151,3 +154,6 @@ EveryMonth=Igal kuul DayOfMonth=Kuu päeval DayOfWeek=Nädala päeval DateStartPlusOne=Kuupäeva algus + 1 tund +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang index 34178c17539..e59a3e8acd7 100644 --- a/htdocs/langs/et_EE/banks.lang +++ b/htdocs/langs/et_EE/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Konto väljavõte AccountStatementShort=Väljavõte AccountStatements=Kontoväljavõtted diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang index 990cafbf5c7..3967c0897e9 100644 --- a/htdocs/langs/et_EE/bills.lang +++ b/htdocs/langs/et_EE/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Soodustus pakutud (makse enne tähtaega) EscompteOfferedShort=Allahindlus SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Arvete mustandeid ei ole NoOtherDraftBills=Muid arvete mustandeid ei ole NoDraftInvoices=Arvete mustandeid ei ole @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Arve kustutatud BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/et_EE/cashdesk.lang b/htdocs/langs/et_EE/cashdesk.lang index 0a680f21d67..8abbcf4b120 100644 --- a/htdocs/langs/et_EE/cashdesk.lang +++ b/htdocs/langs/et_EE/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/et_EE/categories.lang b/htdocs/langs/et_EE/categories.lang index a482e38fa50..b2ad6020b51 100644 --- a/htdocs/langs/et_EE/categories.lang +++ b/htdocs/langs/et_EE/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Antud kategooria ei sisalda ühtki toodet. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Antud kategooria ei sisalda ühtki klienti -ThisCategoryHasNoMember=Antud kategooria ei sisalda ühtki liiget. -ThisCategoryHasNoContact=Antud kategooria ei sisalda ühtki kontakti -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/et_EE/companies.lang b/htdocs/langs/et_EE/companies.lang index 7e172d130b8..3fe3d3aef83 100644 --- a/htdocs/langs/et_EE/companies.lang +++ b/htdocs/langs/et_EE/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Huviliste ala IdThirdParty=Kolmanda osapoole ID IdCompany=Ettevõtte ID IdContact=Kontakti ID -Contacts=Kontaktid/aadressid ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Ettevõte @@ -298,7 +297,8 @@ AddContact=Uus kontakt AddContactAddress=Uus kontakt/aadress EditContact=Muuda kontakti EditContactAddress=Muuda kontakti/aadressi -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontaktid/aadressid ContactId=Contact id ContactsAddresses=Kontaktid/aadressid FromContactName=Nimi: @@ -325,7 +325,8 @@ CompanyDeleted=Ettevõte "%s" on andmebaasist kustutatud. ListOfContacts=Kontaktide/aadresside nimekiri ListOfContactsAddresses=Kontaktide/aadresside nimekiri ListOfThirdParties=Kolmandate osapoolte nimekiri -ShowContact=Näita kontakti +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Kõik (filtrita) ContactType=Kontakti liik ContactForOrders=Tellimuse kontakt @@ -424,7 +425,7 @@ ListSuppliersShort=Tarnijate nimekiri ListProspectsShort=Huviliste nimekiri ListCustomersShort=Klientide nimekiri ThirdPartiesArea=Kolmandad isikud/Kontaktid -LastModifiedThirdParties=Viimati muudetud %s kolmandad isikud +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Kolmandaid isikuid kokku InActivity=Ava ActivityCeased=Suletud diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang index caaab19cf77..04d918cc573 100644 --- a/htdocs/langs/et_EE/errors.lang +++ b/htdocs/langs/et_EE/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/et_EE/hrm.lang b/htdocs/langs/et_EE/hrm.lang index cc677f6003e..92c7798e63f 100644 --- a/htdocs/langs/et_EE/hrm.lang +++ b/htdocs/langs/et_EE/hrm.lang @@ -5,13 +5,14 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module -Employees=Employees +Employees=Töötajad Employee=Töötaja NewEmployee=New employee diff --git a/htdocs/langs/et_EE/install.lang b/htdocs/langs/et_EE/install.lang index 4a90a8ebd5b..00052c3e2ca 100644 --- a/htdocs/langs/et_EE/install.lang +++ b/htdocs/langs/et_EE/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index 47507ee7b1b..c1e0181e3f5 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=Tõlge puudub Translation=Tõlge -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Kirjet ei leitud NoRecordDeleted=No record deleted NotEnoughDataYet=Pole piisavalt andmeid @@ -187,6 +187,8 @@ ShowCardHere=Näita kaarti Search=Otsi SearchOf=Otsi SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Kehtiv Approve=Kiida heaks Disapprove=Lükka tagasi @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Valik List=Nimekiri FullList=Täielik nimekiri +FullConversation=Full conversation Statistics=Statistika OtherStatistics=Muu statistika Status=Staatus @@ -663,6 +666,7 @@ Owner=Omanik FollowingConstantsWillBeSubstituted=Järgnevad konstandid asendatakse vastavate väärtustega. Refresh=Värskenda BackToList=Tagasi nimekirja +BackToTree=Back to tree GoBack=Mine tagasi CanBeModifiedIfOk=Õige väärtuse korral saab neid muuta CanBeModifiedIfKo=Vigase väärtuse korral saab neid muuta @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Kustuta rida ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Liikmed SearchIntoUsers=Kasutajad SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projektid +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Ülesanded SearchIntoCustomerInvoices=Kliendi arved SearchIntoSupplierInvoices=Tarnija arved SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Kliendi pakkumised +SearchIntoCustomerProposals=Pakkumised SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Sekkumised SearchIntoContracts=Lepingud @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/et_EE/modulebuilder.lang b/htdocs/langs/et_EE/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/et_EE/modulebuilder.lang +++ b/htdocs/langs/et_EE/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/et_EE/mrp.lang b/htdocs/langs/et_EE/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/et_EE/mrp.lang +++ b/htdocs/langs/et_EE/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index 45f1f704e4f..782d3bd2cf3 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -85,8 +85,8 @@ MaxSize=Maksimaalne suurus AttachANewFile=Manusta uus fail/dokument LinkedObject=Seostatud objekt NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang index 1334c8a4108..28705cf475e 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=Viimased %s muudetud toodet/teenust +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Toode @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Märkus (ei ole nähtav arvetel, pakkumistel jne) ServiceLimitedDuration=Kui toode on piiratud kestusega teenus: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Hindasid +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Toodete arv, millest antud virtuaalne toode koosenb diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index 37b54e96354..1ba2147a22d 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Ei ole antud privaatse projekti omani AffectedTo=Eraldatud üksusele -CantRemoveProject=Projekti ei saa kustutada, kuna sellele viitab mingi muu objekt (arve, leping vms). Vaata viitajate sakki +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Kinnita projekt ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Sulge projekt @@ -265,3 +265,4 @@ NewInvoice=Uus arve OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/et_EE/receptions.lang b/htdocs/langs/et_EE/receptions.lang index d82a0a7c9d1..d04f499d1fe 100644 --- a/htdocs/langs/et_EE/receptions.lang +++ b/htdocs/langs/et_EE/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/et_EE/stocks.lang b/htdocs/langs/et_EE/stocks.lang index 8a08684c5c2..c6db20fc80c 100644 --- a/htdocs/langs/et_EE/stocks.lang +++ b/htdocs/langs/et_EE/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=KKH EnhancedValueOfWarehouses=Ladude väärtus UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Saadetud kogus QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Laojäägi vähendamiseks kasutatakse ladu %s WarehouseForStockIncrease=Laojäägi suurendamiseks kasutatakse ladu %s ForThisWarehouse=Antud lao tarbeks ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Värskendamised NbOfProductBeforePeriod=Toote %s laojääk enne valitud perioodi (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/et_EE/ticket.lang b/htdocs/langs/et_EE/ticket.lang index 755c0fb0da3..77b37fec903 100644 --- a/htdocs/langs/et_EE/ticket.lang +++ b/htdocs/langs/et_EE/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Rühm TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/et_EE/website.lang b/htdocs/langs/et_EE/website.lang index 19b7c38d1c9..37e1aed3436 100644 --- a/htdocs/langs/et_EE/website.lang +++ b/htdocs/langs/et_EE/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS voog +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/et_EE/withdrawals.lang b/htdocs/langs/et_EE/withdrawals.lang index 66b4596dafd..68caf7a352c 100644 --- a/htdocs/langs/et_EE/withdrawals.lang +++ b/htdocs/langs/et_EE/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Töödelda +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Väljamaksmise summa -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Tagasi lükatud LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Saatmise meetod Send=Saada Lines=Read StandingOrderReject=Väljasta keeldumine +WithdrawsRefused=Direct debit refused WithdrawalRefused=Väljamaksest keeldutud +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Kas oled kindel, et soovid sisestada väljamakse tagasilükkamise üksusele RefusedData=Keeldumise kuupäev RefusedReason=Keeldumise põhjus @@ -58,6 +76,8 @@ StatusMotif8=Muu põhjus CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Ainult kontor CreateBanque=Ainult pank OrderWaiting=Ootab töötlemist @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=Pankadele, mis kasutavad RIB WithBankUsingBANBIC=Pankadele, mis kasutavad IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Krediteeri WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Väljamaksete fail SetToStatusSent=Märgi staatuseks 'Fail saadetud' -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/eu_ES/accountancy.lang b/htdocs/langs/eu_ES/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/eu_ES/accountancy.lang +++ b/htdocs/langs/eu_ES/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index 3ec57b27021..d7b08c04215 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Oharra: zure PHP konfigurazioan ez da limiterik ezarri MaxSizeForUploadedFiles=Igotako fitxategien tamaina maximoa (0 fitxategiak igotzea ezgaitzeko) UseCaptchaCode=Sarrera orrian kode grafikoa (CAPTCHA) erabili @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Esteka freskatu LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barra-kodeak Module55Desc=Barra-kodeak kudeatzea -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Kideak MailToUser=Erabiltzaileak MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/eu_ES/agenda.lang b/htdocs/langs/eu_ES/agenda.lang index cc9be05d34d..5d645e2f9c9 100644 --- a/htdocs/langs/eu_ES/agenda.lang +++ b/htdocs/langs/eu_ES/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang index 5d01941d72d..8ae95d2c95b 100644 --- a/htdocs/langs/eu_ES/banks.lang +++ b/htdocs/langs/eu_ES/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang index 9a4c8f55e10..3a29ba2650c 100644 --- a/htdocs/langs/eu_ES/bills.lang +++ b/htdocs/langs/eu_ES/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/eu_ES/cashdesk.lang b/htdocs/langs/eu_ES/cashdesk.lang index 13240b9b76e..1b85cea6caa 100644 --- a/htdocs/langs/eu_ES/cashdesk.lang +++ b/htdocs/langs/eu_ES/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/eu_ES/categories.lang b/htdocs/langs/eu_ES/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/eu_ES/categories.lang +++ b/htdocs/langs/eu_ES/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/eu_ES/companies.lang b/htdocs/langs/eu_ES/companies.lang index dc4f4bcc2c2..fbf687b3dd0 100644 --- a/htdocs/langs/eu_ES/companies.lang +++ b/htdocs/langs/eu_ES/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Kontaktua/helbidea ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Erakundea @@ -298,7 +297,8 @@ AddContact=Kontaktua sortu AddContactAddress=Kontua/helbidea sortu EditContact=Kontaktua editatu EditContactAddress=Kontaktua/helbidea editatu -Contact=Kontaktua +Contact=Contact/Address +Contacts=Kontaktua/helbidea ContactId=Contact id ContactsAddresses=Kontaktua/helbidea FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/eu_ES/errors.lang +++ b/htdocs/langs/eu_ES/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/eu_ES/hrm.lang b/htdocs/langs/eu_ES/hrm.lang index 538147b8407..5417c180124 100644 --- a/htdocs/langs/eu_ES/hrm.lang +++ b/htdocs/langs/eu_ES/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Langilea diff --git a/htdocs/langs/eu_ES/install.lang b/htdocs/langs/eu_ES/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/eu_ES/install.lang +++ b/htdocs/langs/eu_ES/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang index c46d4569b13..b580de42e52 100644 --- a/htdocs/langs/eu_ES/main.lang +++ b/htdocs/langs/eu_ES/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Bilatu SearchOf=Bilatu SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Kideak SearchIntoUsers=Erabiltzaileak SearchIntoProductsOrServices=Products or services SearchIntoProjects=Proiektuak +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Kontratuak @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/eu_ES/modulebuilder.lang b/htdocs/langs/eu_ES/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/eu_ES/modulebuilder.lang +++ b/htdocs/langs/eu_ES/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/eu_ES/mrp.lang b/htdocs/langs/eu_ES/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/eu_ES/mrp.lang +++ b/htdocs/langs/eu_ES/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index 83e9970fedc..305a5b045db 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang index 6cf471d7350..d5db31c6366 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang index 2d78af80fc2..cafbbfb8d8c 100644 --- a/htdocs/langs/eu_ES/projects.lang +++ b/htdocs/langs/eu_ES/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/eu_ES/receptions.lang b/htdocs/langs/eu_ES/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/eu_ES/receptions.lang +++ b/htdocs/langs/eu_ES/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/eu_ES/stocks.lang b/htdocs/langs/eu_ES/stocks.lang index 2800f377205..b51f04d5883 100644 --- a/htdocs/langs/eu_ES/stocks.lang +++ b/htdocs/langs/eu_ES/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/eu_ES/ticket.lang b/htdocs/langs/eu_ES/ticket.lang index 602c7db5ce5..35acbe43211 100644 --- a/htdocs/langs/eu_ES/ticket.lang +++ b/htdocs/langs/eu_ES/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Taldea TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/eu_ES/website.lang b/htdocs/langs/eu_ES/website.lang index 45e420e2549..f7a9fd8554c 100644 --- a/htdocs/langs/eu_ES/website.lang +++ b/htdocs/langs/eu_ES/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS kanala +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/eu_ES/withdrawals.lang b/htdocs/langs/eu_ES/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/eu_ES/withdrawals.lang +++ b/htdocs/langs/eu_ES/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang index 75703b7c214..a156ebf15c9 100644 --- a/htdocs/langs/fa_IR/accountancy.lang +++ b/htdocs/langs/fa_IR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=برای صرفه‌جوئی در زمان در AccountancyAreaDescActionFreq=عملیات زیر معمولا هر ماه یا هر هفته یا بار یا حتی هر روز یک بار برای شرکت‌های بسیار بزرگ انجام می‌پذیرد.... AccountancyAreaDescJournalSetup=گام %s: ایجاد یا بررسی فهرست محتوای دفتر از گزینۀ %s -AccountancyAreaDescChartModel=گام %s: ساخت یا شکل‌دهی نمودار حساب از گزینۀ %s -AccountancyAreaDescChart=گام %s: ساخت یا بررسی نمودار حساب از گزینۀ %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=گام %s: تعریف حساب‌های حساب‌داری برای هر یک از انواع ضریب‌های مالیات بر ارزش افزوده. برای این کار از گزینۀ %s استفاده نمائید. AccountancyAreaDescDefault=گام %s: تعریف حساب‌های حساب‌داری پیش‌فرض. برای این، از گزینۀ %s استفاده نمائید. diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 846bacb3666..4af5509ad32 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=مقدار بعدی (صورت‌حساب) NextValueForCreditNotes=مقدار بعدی (یادداشت‌های اعتبار) NextValueForDeposit=مقدار بعدی (پیش پرداخت) NextValueForReplacements=ارزش بعدی (جایگزینی) -MustBeLowerThanPHPLimit=نکته: پیکربندی PHP شما حداکثر اندازۀ فایل برای بارگذاری را به مقدار %s%s محدود کرده است. محدودیت بدون توجه به مؤلفه مقابل رعایت خواهد شد. +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=توجه: هیچ محدودیتی در پیکربندی PHP شما وجود ندارد MaxSizeForUploadedFiles=حداکثر اندازۀ فایل بارگذاری شده ( برای عدم اجازۀ ارسال فایل عدد 0 را وارد نمائید) UseCaptchaCode=استفاده از کدهای گرافیکی (CAPTCHA) در صفحۀ ورود @@ -207,7 +207,7 @@ ModulesMarketPlaces=پیدا کردن واحد‌ها/برنامه‌های بی ModulesDevelopYourModule=ساختن برنامه/واحد دل‌خواه ModulesDevelopDesc=همچنین می‌توانید واحد‌های کاربردی دل‌خواه خودتان را ایجاد کنید یا شخصی برای توسعۀ نیازمندی‌های خود پیدا کنید تا این کار را انجام دهد. DOLISTOREdescriptionLong=به جای مراجعه به وبگاه www.dolistore.com برای پید کردن یک واحد مورد نیاز از بیرون، می‌توانید این ابزار داخلی را که بر روی بازارچۀ بیرونی جستجو می‌کند استفاده نمائید (ممکن است کند باشد، نیاز به دسترسی اینترنت دارد)... -NewModule=جدید +NewModule=New module FreeModule=رایگان CompatibleUpTo=سازگار با نسخۀ %s NotCompatible=به نظر نمی‌رسد این واحد با نسخۀ %s Dolibarr  نصب شده سازگار باشد (سازگاری حداقل با %s و حداکثر با %s ). @@ -219,7 +219,7 @@ Nouveauté=تازگی AchatTelechargement=خرید / بارگیری GoModuleSetupArea=برای به کاربردن یا نصب یک واحد، به محل برپاسازی واحد‌ها بروید: %s. DoliStoreDesc=DoliStore، بازارچۀ رسمی برای واحد‌های بیرونی Dolibarr ERP / CRM -DoliPartnersDesc=فهرست شرکت‌هائی که واحد‌ها یا قابلیت‌های اختصاصی توسعه می‌دهند.
نکته: از آن‌جا که Dolibarr یک برنامۀ متن‌باز است، هر کسی که بتواند با PHP برنامه‌نویسی کند امکان توسعه دادن واحد‌های جدید را داراست. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=سایت‌های دیگر برای واحد‌های افزودنی (غیر هسته‌) دیگر... DevelopYourModuleDesc=چند راه برای توسعه دادن و ایجاد واحد دل‌خواه.... URL=نشانی‌اینترنتی @@ -446,12 +446,13 @@ LinkToTestClickToDial=برای آزمایش نشانی ClickToDial برای کا RefreshPhoneLink=بازسازی پیوند LinkToTest=پیوند قابل کلیک تولید شده برای کاربر %s (شمارۀ تلفن را برای آزمایش وارد نمائید) KeepEmptyToUseDefault=برای استفاده از مقدار پیش‌فرض چیزی درج نکنید +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=پیوند پیش‌فرض SetAsDefault=ثبت پیش‌فرض ValueOverwrittenByUserSetup=هشدار! این مقدار ممکناست با تغییر تنظیمات برپاسازی کاربر بازنویسی شود (هر کاربر می‌تواند نشانی مخصوص به خود را برای clicktodial تولید کند) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=ایجاد دستجمعی بارکد برای اشخاص‌سوم +BarcodeInitForThirdparties=ایجاد دستجمعی بارکد برای اشخاص‌سوم BarcodeInitForProductsOrServices=ایجاد یا بازسازی بارکد برای محصولات یا خدمات CurrentlyNWithoutBarCode=در حال حاضر شما %s ردیف در %s %s دارید که برای آن‌ها بارکد تعریف نشده. InitEmptyBarCode=مقدار ابتدائی برای %s ردیف خالی بعدی @@ -541,8 +542,8 @@ Module54Name=قرارداد‌ها/اشتراک‌ها Module54Desc=مدیریت قراردادها (خدمات یا اشتراک‌های تکرارشونده) Module55Name=بارکدها Module55Desc=مدیریت بارکد -Module56Name=تماس‌های تلفنی -Module56Desc=ارتباط تلفنی +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=برداشت‌های مستقیم بانکی Module57Desc=مدیریت سفارش برداشت‌های مستقیم بانکی. این شامل تولید فایل SEPA برای کشورهای اروپائی است. Module58Name=کلیک برای تماس @@ -1145,6 +1146,7 @@ AvailableModules=برنامه‌ها/واحد‌های دردسترس ToActivateModule=برای فعال‌کردن واحد‌ها، به صفحۀ برپاسازی مراجعه کنید (خانه->برپاسازی->واحد‌ها). SessionTimeOut=زمان پایان نشست SessionExplanation=این عدد تعیین می‌کند که نشست قبل از این بازۀ زمانی منقضی نشود، این فقط در صورتی صادق است که پاک‌ساز نشست‌ها توسط پاک‌ساز داخلی PHP انجام شود (و نه پاک‌کنندۀ دیگر). پاک‌کنندۀ داخلی PHP جلسات ضمانت نمی‌کند که نشست پس از پایان این مهلت انقضا یابد. بعد از این مهلت و در هنگامی که پاک‌ساز جلسات اجرا شود منقضی خواهد شد، پس برابر هر %s/%s دسترسی خواهد بود، مگر در صورت دسترسی توسط سایر نشست‌ها (در صورتی که مقدار برابر با 0 باشد، این بدان معناست که پاک کردن نشست تنها توسط یک پردازش بیرونی انجام خواهد شد).
نکته: در برخی سرویس‌دهنده‌ها که از یک سازوکار خارجی پاک‌سازی نشست‌ها استفده می‌کنند (کرون در دبیان، اوبونتو و غیره)، نشست می‌تواند پس از این‌که در روند تنظیمات خارجی تعریف شد از بین برود، این‌که چه مقداری در این قسمت وارد شود، اهمیت پیدا می‌کند. +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. TriggersAvailable=محرک‌های موجود TriggersDesc=محرک‌ها، فایل‌هائی هستند که رفتار و روندکاری Dolibarr را به‌مجرد این‌که به پوشۀ htdocs/core/triggers کپی شدند، تغییر می‌دهند. این فایل‌ها باعث ایجاد کنش‌های جدید شده و در واحد رخدادهای Dolibarr فعال می‌شوند (ساخت شرکت جدید، اعتباردهی به صورت‌حساب و غیره). TriggerDisabledByName=محرک‌های موجود در این فایل با پس‌وند -NORUN در نام محرک، غیرفعال می‌شوند. @@ -1262,6 +1264,7 @@ FieldEdition=ویرایش بخش %s FillThisOnlyIfRequired=مثال: +2 (تنها در صورتی که با مشکل ناحیۀ زمانی مواجه شوید) GetBarCode=دریافت بارکد NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=بازگرداندن یک گذرواژه که با توجه به الگوریتم‌ Dolibarr تولید شده است: 8 نویسه، متشکل از اعداد و حروف کوچک. PasswordGenerationNone=گذرواژۀ پیشنهادی ارائه نشود. گذرواژه‌ها باید به شکل دستی وارد شوند. @@ -1844,6 +1847,7 @@ MailToThirdparty=طرف‌های سوم MailToMember=اعضا MailToUser=کاربران MailToProject=صفحۀ طرح‌ها +MailToTicket=برگه‌های پشتیبانی ByDefaultInList=نمایش پیش‌فرض نمای فهرستی YouUseLastStableVersion=استفاده از آخرین نسخۀ پایدار TitleExampleForMajorRelease=مثال پیامی که می‌توانید برای استفاده در اطلاع‌رسانی این انتشار اصلی داشته باشید (در استفاده از آن در وبگاه خود راحت باشید) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/fa_IR/agenda.lang b/htdocs/langs/fa_IR/agenda.lang index 96774cd3d37..b3e45ebcaa8 100644 --- a/htdocs/langs/fa_IR/agenda.lang +++ b/htdocs/langs/fa_IR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=واسطه‌گری %s توسط رایانامه ارس ProposalDeleted=پیشنهاد حذف شد OrderDeleted=سفارش حذف شد InvoiceDeleted=صورت‌حساب حذف شد +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=محصول %s ساخته شد PRODUCT_MODIFYInDolibarr=محصول %s ویرایش شد PRODUCT_DELETEInDolibarr=محصول %s حذف شد HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=گزارش هزینه‌های %s ساخته شد EXPENSE_REPORT_VALIDATEInDolibarr=گزارش هزینه‌های %s تائید شد @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=قالب‌های مستند برای روی‌دادهای DateActionStart=تاریخ شروع @@ -151,3 +154,6 @@ EveryMonth=هر ماه DayOfMonth=روز از ماه DayOfWeek=روز از هفته DateStartPlusOne=تاریخ شروع + 1 ساعت +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang index 27f0036a1a6..74f817271bc 100644 --- a/htdocs/langs/fa_IR/banks.lang +++ b/htdocs/langs/fa_IR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT معتبر است SwiftVNotalid=BIC/SWIFT معتبر نیست IbanValid=BAN معتبر است IbanNotValid=BAN معتبر نیست -StandingOrders=سفارش‌های پرداخت مستقیم +StandingOrders=سفارش‌های برداشت مستقیم StandingOrder=سفارش پرداخت مستقیم +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=شرح‌کار-پرینت- حساب AccountStatementShort=شرح‌کار -پرینت- AccountStatements=شرح‌کار حساب‌ها diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index 873505c2680..84661dd588f 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=تخفیف ارائه شده (پرداخت قبل از موعد) EscompteOfferedShort=تخفیف SendBillRef=تسلیم صورت‌حساب %s SendReminderBillRef=تسلیم صورت‌حساب %s (یادآورنده) -StandingOrders=سفارش‌های پرداخت مستقیم -StandingOrder=سفارش پرداخت مستقیم NoDraftBills=صورت‌حساب پیش‌نویسی وجود ندارد NoOtherDraftBills=صورت‌حساب پیش‌نویس دیگری وجود ندارد NoDraftInvoices=صورت‌حساب پیش‌نویس وجود ندارد @@ -572,3 +570,6 @@ AutoFillDateToShort=تنظیم تاریخ پایان MaxNumberOfGenerationReached=حداکثر تعداد تولید به‌سررسیده BILL_DELETEInDolibarr=صورت‌حساب حذف شد BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/fa_IR/cashdesk.lang b/htdocs/langs/fa_IR/cashdesk.lang index c9b346240f6..da5693bfc12 100644 --- a/htdocs/langs/fa_IR/cashdesk.lang +++ b/htdocs/langs/fa_IR/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/fa_IR/categories.lang b/htdocs/langs/fa_IR/categories.lang index 3e366922364..3c6512de70b 100644 --- a/htdocs/langs/fa_IR/categories.lang +++ b/htdocs/langs/fa_IR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=کلیدواژه/دسته‌بندی‌های حساب ProjectsCategoriesShort=کلیدواژه/دسته‌بندی‌های طرح‌ها UsersCategoriesShort=کلیدواژه/دسته‌بندی‌های کاربران StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=این رده در کل حاوی هر محصول نیست. -ThisCategoryHasNoSupplier=این دسته‌بندی دربردارندۀ هیچ فروشنده‌ای نیست. -ThisCategoryHasNoCustomer=این رده در کل حاوی هر مشتری نیست. -ThisCategoryHasNoMember=این رده در هیچ عضو نیست. -ThisCategoryHasNoContact=این رده در کل حاوی هر گونه ارتباط نیست. -ThisCategoryHasNoAccount=این دسته‌بندی دربردارندۀ هیچ حسابی نیست. -ThisCategoryHasNoProject=این دسته‌بندی دربردارندۀ هیچ طرحی نیست. +ThisCategoryHasNoItems=This category does not contain any items. CategId=شناسۀ کلیدواژه/دسته‌بندی CatSupList=فهرست کلیدواژه/دسته‌بندی‌های فروشندگان CatCusList=فهرست کلیدواژه/دسته‌بندی‌های مشتریان/احتمالی‌ها @@ -92,4 +86,5 @@ ByDefaultInList=به طور پیش‌فرض در فهرست ChooseCategory=انتخاب دسته‌بندی StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/fa_IR/companies.lang b/htdocs/langs/fa_IR/companies.lang index 46ef83419ac..6ec56674436 100644 --- a/htdocs/langs/fa_IR/companies.lang +++ b/htdocs/langs/fa_IR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=منطقۀ موردبازرسی IdThirdParty=شناسۀ شخص‌سوم IdCompany=شناسۀ شرکت IdContact=شناسۀ طرف‌تماس -Contacts=طرف‌های‌تماس/نشانی‌ها ThirdPartyContacts=طرف‌های تماس شخص سوم ThirdPartyContact=طرف‌تماس‌ها/نشانی‌ شخص‌سوم Company=شرکت @@ -298,7 +297,8 @@ AddContact=ساخت طرف‌تماس AddContactAddress=ساخت طرف‌تماس/نشانی EditContact=ویرایش طرف‌تماس EditContactAddress=ویرایش طرف‌تماس/نشانی -Contact=طرف‌تماس +Contact=Contact/Address +Contacts=طرف‌های‌تماس/نشانی‌ها ContactId=شناسۀ طرف‌تماس ContactsAddresses=طرف‌های‌تماس/نشانی‌ها FromContactName=نام: @@ -325,7 +325,8 @@ CompanyDeleted= شرکت "%s" از پایگاه داده حذف شد. ListOfContacts=فهرست طرف‌های‌تماس/نشانی‌ها ListOfContactsAddresses=فهرست طرف‌های‌تماس/نشانی‌ها ListOfThirdParties=فهرست شخص‌سوم‌ها -ShowContact=نمایش طرف‌تماس +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=همه (بدون صافی) ContactType=نوع طرف‌تماس ContactForOrders=طرف‌تماس مربوط به سفارش @@ -424,7 +425,7 @@ ListSuppliersShort=فهرست فروشندگان ListProspectsShort=فهرست مشتریان احتمالی ListCustomersShort=فهرست مشتریان ThirdPartiesArea=شخص‌های سوم/طرف‌های تماس -LastModifiedThirdParties=آخرین %s شخص‌سوم ویرایش شده +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=تعداد کل شخص‌سوم‌ها InActivity=باز ActivityCeased=بسته diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang index 15b5c27c05d..080e2742451 100644 --- a/htdocs/langs/fa_IR/errors.lang +++ b/htdocs/langs/fa_IR/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=هشدار، در هنگام ا WarningDateOfLineMustBeInExpenseReportRange=هشدار، تاریخ مربوط به سطر در بازۀ گزارش هزینه‌ها نیست WarningProjectClosed=طرح بسته است. ابتدا باید آن را باز کنید WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/fa_IR/hrm.lang b/htdocs/langs/fa_IR/hrm.lang index 6eb77f1b30c..382a1c9bb9d 100644 --- a/htdocs/langs/fa_IR/hrm.lang +++ b/htdocs/langs/fa_IR/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=آیا شما مطمئن هستید که می‌خو OpenEtablishment=باز‌کردن بنگاه CloseEtablishment=بستن بنگاه # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=مدیریت منابع انسانی - فهرست بخش‌ها -DictionaryFunction=مدیریت منابع انسانی - فهرست عملکردها +DictionaryFunction=HRM - Job positions # Module Employees=کارمندان Employee=کارمند diff --git a/htdocs/langs/fa_IR/install.lang b/htdocs/langs/fa_IR/install.lang index 40f4347659e..a172cad730d 100644 --- a/htdocs/langs/fa_IR/install.lang +++ b/htdocs/langs/fa_IR/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=خطا(ها)ئی که در طول انجام انتق YouTryInstallDisabledByDirLock=برنامه تلاش کرده است که خود را ارتقا دهد، اما صفحات نصب/ارتقا به دلایل امنیتی غیرفعال شده (پوشه با یک پسوند .lock پس‌وند گرفته است).
YouTryInstallDisabledByFileLock=برنامه تلاش کرده است خود را ارتقا دهد، اما صفحات نصب/ارتقا به دلایل امنیتی غیر فعال شده است ( چون فایل قفل install.lock در پوشۀ documents دلیبار وجود دارد).
ClickHereToGoToApp=برای مراجعه به برنامه این‌جا کلیک کنید -ClickOnLinkOrRemoveManualy=روی پیوند مقابل کلیک کنید. اگر همیشه شما همین صفحه را می‌بینید شما باید فایل install.lock را از پوشۀ document حذف کرده یا تغییر نام دهید. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang index cc1cc21575b..672210b1c09 100644 --- a/htdocs/langs/fa_IR/main.lang +++ b/htdocs/langs/fa_IR/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=برای این نوع رایانامه قالبی وجود ن AvailableVariables=متغیرهای موجود برای جایگزینی NoTranslation=بدون ترجمه Translation=ترجمه -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=هیچ ردیفی پیدا نشد NoRecordDeleted=هیچ ردیفی حذف نشد NotEnoughDataYet=دادۀ کافی وجود ندارد @@ -187,6 +187,8 @@ ShowCardHere=نمایش کارت Search=جستجو SearchOf=جستجو SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=معتبر Approve=تجویز Disapprove=عدم تجویز @@ -426,6 +428,7 @@ Modules=واحد/برنامه Option=گزینه List=فهرست FullList=فهرست کامل +FullConversation=Full conversation Statistics=آمار OtherStatistics=سایر آمارها Status=وضعیت @@ -663,6 +666,7 @@ Owner=مالک FollowingConstantsWillBeSubstituted=مثادیر ثابت مقابل با مقدار متناظر جایگزن خواهد شد Refresh=تازه‌کردن BackToList=بازگشت به فهرست +BackToTree=Back to tree GoBack=بازگشت CanBeModifiedIfOk=در صورت معتبر بودن قابل تغییر است CanBeModifiedIfKo=در صورت معتبر بودن قابل تغییر نیست @@ -839,6 +843,7 @@ Sincerely=بااحترا ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=حذف سطر ConfirmDeleteLine=آیا مطمئن هستید می‌خواهید این سطر را حذف کنید؟ +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=برای تولید سند در خصوص ردیف بررسی شده هیچ PDFی موجود نیست TooManyRecordForMassAction=تعداد بسیار زیادی ردیف برای انجام گروهی کار انتخاب شده. این کار محدود به فهرستی حداکثر با %s مورد است. NoRecordSelected=هیچ ردیفی انتخاب نشده @@ -953,12 +958,13 @@ SearchIntoMembers=اعضاء SearchIntoUsers=کاربران SearchIntoProductsOrServices=محصولات یا خدمات SearchIntoProjects=طرح‌ها +SearchIntoMO=Manufacturing Orders SearchIntoTasks=وظایف SearchIntoCustomerInvoices=صورت‌حساب مشتری SearchIntoSupplierInvoices=صورت‌حساب فروشندگان SearchIntoCustomerOrders=سفارشات فروش SearchIntoSupplierOrders=سفارشات خرید -SearchIntoCustomerProposals=پیشنهادهای مشتریان +SearchIntoCustomerProposals=پیشنهادهای تجاری SearchIntoSupplierProposals=پیشنهادهای فروشندگان SearchIntoInterventions=واسطه‌گری‌ها SearchIntoContracts=قراردادها @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/fa_IR/modulebuilder.lang b/htdocs/langs/fa_IR/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/fa_IR/modulebuilder.lang +++ b/htdocs/langs/fa_IR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/fa_IR/mrp.lang b/htdocs/langs/fa_IR/mrp.lang index 4622cfb6a13..b7189492a94 100644 --- a/htdocs/langs/fa_IR/mrp.lang +++ b/htdocs/langs/fa_IR/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index f374ef2619e..bb6ea1ec8a9 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -85,8 +85,8 @@ MaxSize=حداکثر اندازه AttachANewFile=ضمیمه کردن فایل جدید / سند LinkedObject=شی مرتبط NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index e7d131c8f2a..d0044c00125 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=خدمات فقط برای فروش ServicesOnPurchaseOnly=خدمات فقط برای خرید ServicesNotOnSell=خدمات نه برای خرید و نه برای فروش ServicesOnSellAndOnBuy=خدمات هم برای خرید و هم برای فروش -LastModifiedProductsAndServices=آخرین %s محصولات/خدمات تغییریافته +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=آخرین %s محصول ثبت شده LastRecordedServices=آخرین %s خدمات ثبت شده CardProduct0=محصول @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=یادداشت (در صورت‌حساب‌ها، پیشن ServiceLimitedDuration=در صورتی که محصول، خدماتی با مدت‌زمان محدود است: MultiPricesAbility=چند قسمت قیمتی در هر محصول/خدمات (هر مشتری در یک قسمت قیمتی است) MultiPricesNumPrices=تعداد قیمت‌ها +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=فعال‌کردن محصولات مجازی (بسته‌ها) AssociatedProducts=محصولات مجازی AssociatedProductsNumber=تعداد محصولاتی که این محصول مجازی را درست می‌کنند diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index d2886d5f9ae..1f4dfefe258 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=فرزند وظیفۀ TaskHasChild=وظیفه دارای فرزند است NotOwnerOfProject=صاحب این طرح خصوصی نیست AffectedTo=اختصاص داده شده به -CantRemoveProject=این طرح قابل حذف نیست چون توسط سایر اشیاء (از قبیل صورت‌حساب، سفارش و غیره) مورد ارجاع قرار گرفته است. به زبانۀ ارجاع‌کننده‌ها مراجعه کنید. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=تائیداعتبار طرح ConfirmValidateProject=آیا مطمئنید می‌خواهید اعتبار این طرح را تائید کنید؟ CloseAProject=بستن طرح @@ -265,3 +265,4 @@ NewInvoice=صورت‌حساب جدید OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/fa_IR/receptions.lang b/htdocs/langs/fa_IR/receptions.lang index c5e340e2128..e0f93225d34 100644 --- a/htdocs/langs/fa_IR/receptions.lang +++ b/htdocs/langs/fa_IR/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=این تعداد محصول از ValidateOrderFirstBeforeReception=ابتدا باید سفارش را تائید کنید تا امکان ایجاد «دریافت‌کالا» داشته باشید ReceptionsNumberingModules=واحد شماره‌گذاری برای دریافت‌ها ReceptionsReceiptModel=قالب اسناد دریافت‌کالا +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/fa_IR/stocks.lang b/htdocs/langs/fa_IR/stocks.lang index d7ee2d5d1b6..9bb1e21701a 100644 --- a/htdocs/langs/fa_IR/stocks.lang +++ b/htdocs/langs/fa_IR/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=قیمت میانگین وزنی EnhancedValueOfWarehouses=ارزش انبار UserWarehouseAutoCreate=ساخت خودکار انبار کاربر در هنگام ساخت کاربر AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=انبار پیش‌فرض +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=موجودی محصول و موجودی زیرمحصول از یکدیگر مستقل هستن QtyDispatched=تعداد ارسالی QtyDispatchedShort=تعداد ارسالی @@ -123,6 +130,7 @@ WarehouseForStockDecrease=انبار %s برای کاهش موجودی WarehouseForStockIncrease=انبار %s برای افزایش موجودی استفاده خواهد شد ForThisWarehouse=برای این انبار ReplenishmentStatusDesc=این فهرست محصولاتی است که موجودی آن‌ها کم‌تر از حد مطلوب است (یا اگر بخش فقط‌هشدارها فعال باشد، کم‌تر از مقدار هشدار است). با استفاده از این کادر تائید، شما می‌توانید برای پر کردن اختلاف، سفارشات خرید ایجاد نمائید. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=این فهرستی از همۀ سفارشات خرید باز است که شامل محصولات از پیش‌تعریف شده است. تنها سفارشات باز به‌همراه محصولات از پیش‌تعریف شده و بالطبع سفارشاتی که روی موجودی اثر می‌گذارند در این قسمت نمایش داده می‌شوند. Replenishments=دوباره‌پر‌کردن NbOfProductBeforePeriod=تعداد موجودی %s پیش از بازۀ انتخابی (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/fa_IR/ticket.lang b/htdocs/langs/fa_IR/ticket.lang index f173588df8a..32be25bf695 100644 --- a/htdocs/langs/fa_IR/ticket.lang +++ b/htdocs/langs/fa_IR/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=واحد شماره‌دهی برگه‌های پشتیب TicketNotifyTiersAtCreation=اطلاع‌رسانی به شخص‌سوم در هنگام ساخت TicketGroup=گروه TicketsDisableCustomerEmail=همواره در هنگامی که یک برگۀ‌پشتیبانی از طریق رابط عمومی ساخته می‌شود، قابلیت رایانامه غیرفعال شود +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=برگۀ‌پشتیبانی - خانه +TicketsIndex=Tickets area TicketList=فهرست برگه‌ها TicketAssignedToMeInfos=این برگه نمایش دهندۀ برگه‌های پشتیبانی است که به کاربر جاری نسبت داشته شده یا توسط وی ساخته شده است NoTicketsFound=برگه‌ای پیدا نشد diff --git a/htdocs/langs/fa_IR/website.lang b/htdocs/langs/fa_IR/website.lang index 85387497d64..235c4efe16c 100644 --- a/htdocs/langs/fa_IR/website.lang +++ b/htdocs/langs/fa_IR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=خوراک RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/fa_IR/withdrawals.lang b/htdocs/langs/fa_IR/withdrawals.lang index c64b0dd3fba..8c3fe1c1250 100644 --- a/htdocs/langs/fa_IR/withdrawals.lang +++ b/htdocs/langs/fa_IR/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=بخش سفارش‌های برداشت مستقیم وجه -SuppliersStandingOrdersArea=بخش سفارش‌های واریز مستقیم وجه +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=سفارش‌های برداشت مستقیم وجه StandingOrderPayment=سفارش برداشت مستقیم وجه NewStandingOrder=یک سفارش جدید برداشت مستقیم +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=برای پردازش +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=سفارش‌های برداشت مستقیم WithdrawalReceipt=سفارش برداشت مستقیم +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=آخرین %s مستند دریافت مستقیم +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=مقدار برای برداشت -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=ردشده‌ها LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=طريقة البث Send=فرستادن Lines=خطوط StandingOrderReject=شماره رد +WithdrawsRefused=Direct debit refused WithdrawalRefused=برداشت خودداری کرد +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=آیا مطمئن هستید که می خواهید را وارد کنید رد عقب نشینی برای جامعه RefusedData=تاریخ رد RefusedReason=دلیلی برای رد @@ -58,6 +76,8 @@ StatusMotif8=دلیل دیگر CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=تنها دفتر CreateBanque=تنها بانک OrderWaiting=در انتظار درمان @@ -67,6 +87,7 @@ NumeroNationalEmetter=شماره ملی فرستنده WithBankUsingRIB=برای حساب های بانکی با استفاده از RIB WithBankUsingBANBIC=برای حساب های بانکی با استفاده از IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=در اعتباری WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=فایل برداشت SetToStatusSent=تنظیم به وضعیت "فایل ارسال شد" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang index 354d1833531..5533700c09f 100644 --- a/htdocs/langs/fi_FI/accountancy.lang +++ b/htdocs/langs/fi_FI/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 5bf229dcf33..6e87f4a2f66 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Seuraava arvo (laskut) NextValueForCreditNotes=Seuraava arvo (hyvityslaskut) NextValueForDeposit=Seuraava arvo (osamaksu) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Huom:Nykyiset PHP-asetukset rajoittavat tiedoston enimmäiskokoa talletettaessa %s%s, riippumatta tämän parametrin arvosta +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Huom: Rajaa ei ole asetettu PHP-asetuksissa MaxSizeForUploadedFiles=Lähetettävien tiedostojen enimmäiskoko (0 estää lähetykset) UseCaptchaCode=Käytä graafista koodia (CAPTCHA) kirjautumissivulla @@ -207,7 +207,7 @@ ModulesMarketPlaces=Etsi ulkoisia sovelluksia/moduuleja ModulesDevelopYourModule=Luo oma sovellus/moduuli ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Uusi +NewModule=New module FreeModule=Ilmainen CompatibleUpTo=Yhteensopiva version %s kanssa NotCompatible=Moduuli ei ole yhteensopiva Dolibarr - version %s kanssa. (Min %s - Max %s) @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Osta / Lataa GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, virallinen markkinapaikka Dolibarr ERP / CRM lisäosille -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=Osoite @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Päivitä linkki LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Pidä tyhjänä käyttääksesi oletusarvoa +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Oletuslinkki SetAsDefault=Aseta oletukseksi ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Sopimukset/Tilaukset Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Viivakoodit Module55Desc=Viivakoodien hallinta -Module56Name=Puhelimet -Module56Desc=Puhelimet yhdentyminen +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Saatavilla olevat sovellukset/moduulit ToActivateModule=Moduulien aktivointi asetuksista (Koti-Asetukset-Moduulit) SessionTimeOut=Istunnon aikakatkaisu 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. TriggersAvailable=Saatavilla laukaisimet TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Käynnistäjät tässä tiedosto on poistettu, joita-NORUN suffix heidän nimissään. @@ -1262,6 +1264,7 @@ FieldEdition=Alalla painos %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Hanki viivakoodi NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Palauta salasana luodaan mukaan sisäinen Dolibarr algoritmi: 8 merkkiä sisältävät jaettua numerot ja merkit pieniä. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Sidosryhmät MailToMember=Jäsenet MailToUser=Käyttäjät MailToProject=Projects page +MailToTicket=Tiketit ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Mallisähköposti EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Ominaisuus ei käytettävissä kun moduuli Vastaanotto on aktiivinen 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" diff --git a/htdocs/langs/fi_FI/agenda.lang b/htdocs/langs/fi_FI/agenda.lang index eec5e24a6fe..8b2c0849e65 100644 --- a/htdocs/langs/fi_FI/agenda.lang +++ b/htdocs/langs/fi_FI/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Lasku poistettu +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Aloituspäivämäärä @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index 435b5f08140..3ecd97fbfa4 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT hyväksytty SwiftVNotalid=BIC/SWIFT virheellinen IbanValid=BAN hyväksytty IbanNotValid=BAN virheellinen -StandingOrders=Suoraveloitus tilauset +StandingOrders=Direct debit orders StandingOrder=Suoraveloitus tilaus +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Tiliote AccountStatementShort=Laskelma AccountStatements=Tiliotteet diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index a781ab260d3..48cb3a9bd96 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount tarjotaan (maksu ennen aikavälillä) EscompteOfferedShort=Alennus SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Suoraveloitus tilaus NoDraftBills=Ei Luonnos laskut NoOtherDraftBills=Mikään muu luonnos laskut NoDraftInvoices=Ei Luonnos laskut @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Lasku poistettu BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/fi_FI/cashdesk.lang b/htdocs/langs/fi_FI/cashdesk.lang index 81fe61276e5..842d6b72d09 100644 --- a/htdocs/langs/fi_FI/cashdesk.lang +++ b/htdocs/langs/fi_FI/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/fi_FI/categories.lang b/htdocs/langs/fi_FI/categories.lang index 0d8e9de5809..bdb8af99b57 100644 --- a/htdocs/langs/fi_FI/categories.lang +++ b/htdocs/langs/fi_FI/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Tämä kategoria ei sisällä mitään tuotetta. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Tämä kategoria ei sisällä asiakkaalle. -ThisCategoryHasNoMember=Tämä kategoria ei sisällä mitään jäsen. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang index db7da866e5b..7efa6cc83b4 100644 --- a/htdocs/langs/fi_FI/companies.lang +++ b/htdocs/langs/fi_FI/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Uusien mahdollisuuksien alue IdThirdParty=Sidosryhmän tunnus IdCompany=Yritystunnus IdContact=Yhteystiedon tunnus -Contacts=Yhteystiedot/Osoitteet ThirdPartyContacts=Sidosryhmien yhteyshenkilöt ThirdPartyContact=Sidosryhmän yhteystiedot/osoitteet Company=Yritys @@ -298,7 +297,8 @@ AddContact=Luo yhteystiedot AddContactAddress=Luo yhteystiedot/osoite EditContact=Muokkaa yhteystiedot / osoite EditContactAddress=Muokkaa yhteystietoa/osoite -Contact=Yhteydenotto +Contact=Contact/Address +Contacts=Yhteystiedot/Osoitteet ContactId=Yhteystiedon tunnus ContactsAddresses=Yhteystiedot / Osoitteet FromContactName=Nimi: @@ -325,7 +325,8 @@ CompanyDeleted=Yritys " %s" poistettu tietokannasta. ListOfContacts=Yhteystietoluettelo ListOfContactsAddresses=Yhteystietoluettelo ListOfThirdParties=Sidosryhmäluettelo -ShowContact=Näytä yhteystiedot +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Kaikki (Ei suodatinta) ContactType=Yhteystiedon tyyppi ContactForOrders=Tilauksen yhteystiedon @@ -424,7 +425,7 @@ ListSuppliersShort=Toimittajaluettelo ListProspectsShort=Luettelo mahdollisista asiakkaista ListCustomersShort=Asiakasluettelo ThirdPartiesArea=Sidosryhmät/yhteystiedot -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Yhteensä sidosryhmiä InActivity=Avoinna ActivityCeased=Kiinni diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang index f2f1ba0fb15..89a1e41b346 100644 --- a/htdocs/langs/fi_FI/errors.lang +++ b/htdocs/langs/fi_FI/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/fi_FI/hrm.lang b/htdocs/langs/fi_FI/hrm.lang index 7dd7e1b1a31..2046c190b42 100644 --- a/htdocs/langs/fi_FI/hrm.lang +++ b/htdocs/langs/fi_FI/hrm.lang @@ -5,12 +5,13 @@ Establishments=Laitokset Establishment=Laitos NewEstablishment=Uusi laitos DeleteEstablishment=Poista laitos -ConfirmDeleteEstablishment=Haluatko varmasti poistaa tämän laitoksen +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Avaa laitos CloseEtablishment=Sulje laitos # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Osastolista -DictionaryFunction=HRM - Toimintolista +DictionaryFunction=HRM - Job positions # Module Employees=Työntekijät Employee=Työntekijä diff --git a/htdocs/langs/fi_FI/install.lang b/htdocs/langs/fi_FI/install.lang index 03c084676eb..06b5fa648b1 100644 --- a/htdocs/langs/fi_FI/install.lang +++ b/htdocs/langs/fi_FI/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index ad39167d919..509b865b458 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Tämän tyyliselle sähköpostille ei ole pohjaa saatavilla AvailableVariables=Available substitution variables NoTranslation=Ei käännöstä Translation=Käännös -EmptySearchString=Syötä haettava merkkijono +EmptySearchString=Enter non empty search criterias NoRecordFound=Tietueita ei löytynyt NoRecordDeleted=Tallennuksia ei poistettu NotEnoughDataYet=Ei tarpeeksi tietoja @@ -187,6 +187,8 @@ ShowCardHere=Näytä kortti Search=Haku SearchOf=Haku SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Voimassa Approve=Hyväksy Disapprove=Poista hyväksyntä @@ -664,6 +666,7 @@ Owner=Omistaja FollowingConstantsWillBeSubstituted=Seuraavat vakiot voidaan korvata ja vastaava arvo. Refresh=Päivitä BackToList=Palaa luetteloon +BackToTree=Back to tree GoBack=Mene takaisin CanBeModifiedIfOk=Voidaan muuttaa, jos voimassa CanBeModifiedIfKo=Voidaan muuttaa, jos ei kelpaa @@ -840,6 +843,7 @@ Sincerely=Vilpittömästi ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Poista rivi ConfirmDeleteLine=Halutako varmasti poistaa tämän rivin? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Tallennusta ei ole valittu @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/fi_FI/modulebuilder.lang +++ b/htdocs/langs/fi_FI/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/fi_FI/mrp.lang b/htdocs/langs/fi_FI/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/fi_FI/mrp.lang +++ b/htdocs/langs/fi_FI/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index 5cd5ddd1758..f60df123de9 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -85,8 +85,8 @@ MaxSize=Enimmäiskoko AttachANewFile=Liitä uusi tiedosto / asiakirjan LinkedObject=Linkitettyä objektia NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang index 6fa3b77b08e..314f6263b73 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=Viimeksi %s muokattuja tuotteita/palveluita +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Viimeksi %s tallennetut tuotteet LastRecordedServices=Viimeksi %s tallennetut palvelut CardProduct0=Tuote @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Huomautus (ei näy laskuissa ehdotuksia ...) ServiceLimitedDuration=Jos tuote on palvelu, rajoitettu kesto: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Hintojen lukumäärä +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Määrä vastaavat tuotteet diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index 5dc84d3c585..460e9ecff44 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Ei omistaja tämän yksityistä hanketta AffectedTo=Vaikuttaa -CantRemoveProject=Tämä hanke ei voi poistaa, koska se on viittaamat joitakin muita esineitä (lasku, tilaukset ja muut). Katso viittaajan välilehti. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Vahvista projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Sulje projekti @@ -265,3 +265,4 @@ NewInvoice=Uusi lasku OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/fi_FI/propal.lang b/htdocs/langs/fi_FI/propal.lang index 48db8d9bf4b..85651be7747 100644 --- a/htdocs/langs/fi_FI/propal.lang +++ b/htdocs/langs/fi_FI/propal.lang @@ -45,7 +45,7 @@ ActionsOnPropal=Tarjoustapahtumat RefProposal=Tarjouksen viite SendPropalByMail=Lähetä tarjous postitse DatePropal=Tarjouspäivämäärä -DateEndPropal=Päiväys loppuun voimassaoloaika +DateEndPropal=Viimeinen voimassaolopäivä ValidityDuration=Voimassaolo kesto CloseAs=Aseta tilaksi SetAcceptedRefused=Aseta hyväksytty/hylätty @@ -76,7 +76,7 @@ TypeContact_propal_external_BILLING=Asiakkaan lasku yhteystiedot TypeContact_propal_external_CUSTOMER=Asiakkaan yhteystiedot tarjouksen seurantaan TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model +DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Oletusmallin luonti DefaultModelPropalToBill=Oletus pohja suljettavalle tarjoukselle (laskutukseen) diff --git a/htdocs/langs/fi_FI/receptions.lang b/htdocs/langs/fi_FI/receptions.lang index 5244cca21c6..e220580f9e9 100644 --- a/htdocs/langs/fi_FI/receptions.lang +++ b/htdocs/langs/fi_FI/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang index 8c8273e4411..be89c7b02d1 100644 --- a/htdocs/langs/fi_FI/stocks.lang +++ b/htdocs/langs/fi_FI/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Varastot arvo UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Määrä lähetysolosuhteita QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/fi_FI/ticket.lang b/htdocs/langs/fi_FI/ticket.lang index d6ba0ebb8e9..631ebfa2572 100644 --- a/htdocs/langs/fi_FI/ticket.lang +++ b/htdocs/langs/fi_FI/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Ryhmä TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Tiketti - Koti +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=Tikettiä ei löytynyt diff --git a/htdocs/langs/fi_FI/website.lang b/htdocs/langs/fi_FI/website.lang index 306041a8f3f..1acb870796f 100644 --- a/htdocs/langs/fi_FI/website.lang +++ b/htdocs/langs/fi_FI/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md-tiedosto +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS-syöte +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/fi_FI/withdrawals.lang b/htdocs/langs/fi_FI/withdrawals.lang index 76b959d9d33..4901bd061d6 100644 --- a/htdocs/langs/fi_FI/withdrawals.lang +++ b/htdocs/langs/fi_FI/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Käsiteltävä +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Suoraveloitus tilaus +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Määrä peruuttaa -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Hylkäykset LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Menetelmä Lähetetty Send=Lähetä Lines=Rivit StandingOrderReject=Issue hylätä +WithdrawsRefused=Direct debit refused WithdrawalRefused=Nostot Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Oletko varma että haluat kirjoittaa peruuttamisesta hylkäämisen yhteiskunnan RefusedData=Päivä hylkäämisestä RefusedReason=Hylkäämisen syy @@ -58,6 +76,8 @@ StatusMotif8=Muu syy CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Vain toimisto CreateBanque=Vain pankki OrderWaiting=Odottelen hoito @@ -67,6 +87,7 @@ NumeroNationalEmetter=Kansallinen lähetin määrä WithBankUsingRIB=Jos pankkitilit käyttäen RIB WithBankUsingBANBIC=Jos pankkitilit käyttäen IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Luottoa WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang index 8ba2e658bdb..8aa2727a29f 100644 --- a/htdocs/langs/fr_BE/admin.lang +++ b/htdocs/langs/fr_BE/admin.lang @@ -14,8 +14,11 @@ WarningModuleNotActive=Le module %s doit être activé WarningOnlyPermissionOfActivatedModules=Seules les permissions liées à des modules activés sont montrées ici. Vous pouvez activer d'autres modules sur la page Accueil->Configuration->Modules. FormToTestFileUploadForm=Formulaire pour tester l'upload de fichiers (selon la configuration) IfModuleEnabled=Note: oui ne fonctionne que si le module %s est activé +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. Module20Name=Propales Module30Name=Factures +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Target=Objectif -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_BE/bills.lang b/htdocs/langs/fr_BE/bills.lang index 48d93ed5920..6ec8a0357c9 100644 --- a/htdocs/langs/fr_BE/bills.lang +++ b/htdocs/langs/fr_BE/bills.lang @@ -38,5 +38,4 @@ PaymentTypeShortLIQ=En espèces PaymentTypeCB=Carte de crédit PaymentTypeShortCB=Carte de crédit Cash=En espèces -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template TerreNumRefModelDesc1=Renvoie le numéro sous la forme %syymm-nnnn pour les factures et %syymm-nnnn pour les notes de crédits où yy est l'année, mm le mois et nnnn un compteur séquentiel sans rupture et sans remise à 0 diff --git a/htdocs/langs/fr_BE/main.lang b/htdocs/langs/fr_BE/main.lang index 3042af1642f..e425c275844 100644 --- a/htdocs/langs/fr_BE/main.lang +++ b/htdocs/langs/fr_BE/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias Update=Mise à jour DateStart=Date de début DateEnd=Date de fin diff --git a/htdocs/langs/fr_BE/modulebuilder.lang b/htdocs/langs/fr_BE/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/fr_BE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/fr_BE/products.lang b/htdocs/langs/fr_BE/products.lang deleted file mode 100644 index e6f65995020..00000000000 --- a/htdocs/langs/fr_BE/products.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - products -LastModifiedProductsAndServices=%s derniers produits/services diff --git a/htdocs/langs/fr_BE/projects.lang b/htdocs/langs/fr_BE/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/fr_BE/projects.lang +++ b/htdocs/langs/fr_BE/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/fr_BE/website.lang b/htdocs/langs/fr_BE/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/fr_BE/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/fr_CA/accountancy.lang b/htdocs/langs/fr_CA/accountancy.lang index 9b0cca731d1..18532f2fd92 100644 --- a/htdocs/langs/fr_CA/accountancy.lang +++ b/htdocs/langs/fr_CA/accountancy.lang @@ -43,8 +43,6 @@ AccountancyAreaDescActionOnce=Les actions suivantes sont généralement exécut AccountancyAreaDescActionOnceBis=Les étapes suivantes devraient être faites pour vous faire gagner du temps en vous suggérant le bon compte comptable par défaut lors de la journalisation (écriture dans Journals et le grand livre) AccountancyAreaDescActionFreq=Les actions suivantes sont généralement exécutées chaque mois, semaine ou jour pour de très grandes entreprises ... AccountancyAreaDescJournalSetup=ÉTAPE %s: Créez ou vérifiez le contenu de votre liste de journal à partir du menu %s -AccountancyAreaDescChartModel=ÉTAPE %s: Créez un modèle de tableau de compte à partir du menu %s -AccountancyAreaDescChart=ÉTAPE %s: Créez ou vérifiez le contenu de votre tableau de compte à partir du menu %s AccountancyAreaDescVat=ÉTAPE %s: Définissez les comptes comptables pour chaque taux de TVA. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescDefault=ÉTAPE %s: Définissez les comptes comptables par défaut. Pour cela, utilisez l'entrée de menu %s. AccountancyAreaDescExpenseReport=ÉTAPE %s: Définissez les comptes comptables par défaut pour chaque type de rapport de dépenses. Pour cela, utilisez l'entrée de menu %s. diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index a3ecbf32f06..2dc247229cf 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -39,6 +39,7 @@ CompatibleAfterUpdate=Ce module nécessite une mise à jour de votre Dolibarr %s SeeInMarkerPlace=Voir dans Market place Updated=Mis à jour AchatTelechargement=Acheter / Télécharger +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. DevelopYourModuleDesc=Quelques solutions pour développer votre propre module ... InstrucToEncodePass=Pour chiffrer le mot de passe de la base dans le fichier de configuration conf.php, remplacer la ligne
$dolibarr_main_db_pass="...";
par
$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=Pour avoir le mot de passe de la base décodé (en clair) dans le fichier de configuration conf.php, remplacer dans ce fichier la ligne
$dolibarr_main_db_pass="crypted:..."
par
$dolibarr_main_db_pass="%s" @@ -89,6 +90,7 @@ FreeLegalTextOnExpenseReports=Texte juridique gratuit sur les rapports de dépen WatermarkOnDraftExpenseReports=Filigrane sur les projets de rapports de dépenses Module0Desc=Gestion des utilisateurs / employés et des groupes Module42Desc=Installations de journalisation (fichier, syslog, ...). Ces journaux sont à des fins techniques / de débogage. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module75Name=Notes de frais et déplacements Module2400Name=Evénements / Agenda Module2600Name=services API / Web ( serveur SOAP ) @@ -247,6 +249,7 @@ LandingPage=Page d'atterrissage ModuleEnabledAdminMustCheckRights=Le module a été activé. Les autorisations pour les modules activés ont été données uniquement aux utilisateurs administratifs. Vous devrez peut-être accorder des autorisations aux autres utilisateurs ou groupes manuellement si nécessaire. BaseCurrency=Monnaie de référence de la société (entrer dans la configuration de l'entreprise pour modifier cela) FormatZip=Code postal -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. UseSearchToSelectResource=Utilisez un formulaire de recherche pour choisir une ressource (plutôt qu'une liste déroulante). +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CA/banks.lang b/htdocs/langs/fr_CA/banks.lang index 8121e81fc62..1a6bfe95807 100644 --- a/htdocs/langs/fr_CA/banks.lang +++ b/htdocs/langs/fr_CA/banks.lang @@ -3,6 +3,8 @@ SwiftValid=BIC / SWIFT valide SwiftVNotalid=BIC / SWIFT non valide IbanValid=BAN valide IbanNotValid=BAN non valide +StandingOrders=Ordres de débit direct +StandingOrder=Ordre de débit direct ConfirmDeleteAccount=Êtes-vous sûr de vouloir supprimer ce compte? BankTransactionByCategories=Entrées bancaires par catégories BankTransactionForCategory=Entrées bancaires pour la catégorie %s diff --git a/htdocs/langs/fr_CA/bills.lang b/htdocs/langs/fr_CA/bills.lang index 68989d1d124..f7dff6b4a4f 100644 --- a/htdocs/langs/fr_CA/bills.lang +++ b/htdocs/langs/fr_CA/bills.lang @@ -34,8 +34,6 @@ AmountOfBillsByMonthHT=Montant de factures par mois (no tax.) AlreadyPaidNoCreditNotesNoDeposits=Déjà payé (sans notes de crédit ni acomptes) EscompteOffered=Escompte (règlement avant échéance) EscompteOfferedShort=Remise -StandingOrders=Ordres de débit direct -StandingOrder=Ordre de débit direct RelatedRecurringCustomerInvoices=Connexes factures clients récurrents DatePointOfTax=Point d'imposition SetRevenuStamp=Configurer timbre fiscal @@ -80,7 +78,6 @@ PaymentTypeShortTRA=Brouillon ChequeMaker=Émetteur du chèque/transfert DepositId=Identifiant de dépot YouMustCreateStandardInvoiceFirstDesc=Vous devez d'abord créer une facture standard et la convertir en «modèle» pour créer une nouvelle facture modèle -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFCrevetteDescription=Facture modèle PDF Crevette. Un modèle de facture complet pour les factures de situation MarsNumRefModelDesc1=Numéro de retour avec le format %syymm-nnnn pour les factures standard, %syymm-nnnn pour les factures de remplacement, %syymm-nnnn pour les factures de versement et %syymm-nnnn pour les notes de crédit où il est année, mm est le mois et nnnn est une séquence sans interruption et non Retourner à 0 CactusNumRefModelDesc1=Numéro de retour avec le format %syymm-nnnn pour les factures standard, %syymm-nnnn pour les notes de crédit et %syymm-nnnn pour les factures de versement de paiement où yy est l'année, mm est le mois et nnnn est une séquence sans interruption et aucun retour à 0 diff --git a/htdocs/langs/fr_CA/hrm.lang b/htdocs/langs/fr_CA/hrm.lang index 32d81a9624b..84a5e513279 100644 --- a/htdocs/langs/fr_CA/hrm.lang +++ b/htdocs/langs/fr_CA/hrm.lang @@ -2,11 +2,9 @@ HRM_EMAIL_EXTERNAL_SERVICE=Email pour empêcher le service externe de GRH Establishments=Établissements Establishment=Établissement -ConfirmDeleteEstablishment=Êtes-vous sûr de supprimer cet établissement? OpenEtablishment=Établissement ouvert CloseEtablishment=Établissement proche DictionaryDepartment=HRM - liste du département -DictionaryFunction=HRM - Liste des fonctions Employees=Employés Employee=Employé NewEmployee=Nouvel employé diff --git a/htdocs/langs/fr_CA/main.lang b/htdocs/langs/fr_CA/main.lang index fdb14636cb9..0da76b0aab2 100644 --- a/htdocs/langs/fr_CA/main.lang +++ b/htdocs/langs/fr_CA/main.lang @@ -20,6 +20,7 @@ FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Connexion à la base de donnée +EmptySearchString=Enter non empty search criterias ErrorCanNotCreateDir=Impossible de créer le dir %s ErrorCanNotReadDir=Impossible de lire le dir %s ErrorNoSocialContributionForSellerCountry=Erreur, aucun type de charges défini pour le pays '%s'. @@ -139,7 +140,7 @@ Select2LoadingMoreResults=Chargement de plus de résultats ... Select2SearchInProgress=Recherche en cours ... SearchIntoMembers=Membres SearchIntoTasks=les tâches -SearchIntoCustomerProposals=Propositions de clients +SearchIntoCustomerProposals=Propositions commerciales SearchIntoCustomerShipments=Envois clients SearchIntoExpenseReports=Note de frais AssignedTo=Affecté à diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang index 31f7be1761b..c7337859322 100644 --- a/htdocs/langs/fr_CA/products.lang +++ b/htdocs/langs/fr_CA/products.lang @@ -17,7 +17,6 @@ ServicesOnSaleOnly=Services à vendre uniquement ServicesOnPurchaseOnly=Services à l'achat uniquement ServicesNotOnSell=Services à vendre et non à l'achat ServicesOnSellAndOnBuy=Services à vendre et à vendre -LastModifiedProductsAndServices=Dernier %s produits/services modifiés LastRecordedProducts=Derniers produits enregistrés %s LastRecordedServices=Derniers %s services enregistrés OnSell=À vendre diff --git a/htdocs/langs/fr_CA/projects.lang b/htdocs/langs/fr_CA/projects.lang index f92612aa8bf..a2fcd75af6f 100644 --- a/htdocs/langs/fr_CA/projects.lang +++ b/htdocs/langs/fr_CA/projects.lang @@ -5,6 +5,7 @@ ProjectLabel=Étiquette du projet ProjectsArea=Zone de projets ProjectStatus=L'état du projet PrivateProject=Contacts de projet +ProjectsImContactFor=Projects for I am explicitly a contact AllAllowedProjects=Tout le projet que je peux lire (mine + public) ProjectsPublicDesc=Cette vue présente tous les projets que vous êtes autorisé à lire. TasksOnProjectsPublicDesc=Cette vue présente toutes les tâches sur les projets que vous êtes autorisé à lire. @@ -49,7 +50,6 @@ ActivityOnProjectThisMonth=Activité de projet ce mois-ci ActivityOnProjectThisYear=Activité de projet cette année NotOwnerOfProject=Pas le propriétaire de ce projet privé AffectedTo=Alloué à -CantRemoveProject=Ce projet ne peut pas être supprimé car il est référencé par d'autres objets (facture, commandes ou autres). Voir l'onglet des références. ValidateProject=Valider le projet ConfirmValidateProject=Êtes-vous sûr de vouloir valider ce projet? CloseAProject=Prochain projet diff --git a/htdocs/langs/fr_CA/website.lang b/htdocs/langs/fr_CA/website.lang index 5255b2f9da5..6a86398dd09 100644 --- a/htdocs/langs/fr_CA/website.lang +++ b/htdocs/langs/fr_CA/website.lang @@ -7,3 +7,5 @@ EditMenu=Menu Edition ViewSiteInNewTab=Afficher le site dans un nouvel onglet ViewPageInNewTab=Afficher la page dans un nouvel onglet ViewWebsiteInProduction=Afficher le site Web à l'aide d'URL d'accueil +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/fr_CA/withdrawals.lang b/htdocs/langs/fr_CA/withdrawals.lang index f0875b5400f..4dfa6c41f00 100644 --- a/htdocs/langs/fr_CA/withdrawals.lang +++ b/htdocs/langs/fr_CA/withdrawals.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Zone de commandes de paiement par débit direct -SuppliersStandingOrdersArea=Zone de commandes de paiement direct StandingOrderPayment=Ordre de paiement de débit direct NewStandingOrder=Nouveau décret direct StandingOrderToProcess=Procéder @@ -8,20 +6,16 @@ WithdrawalsReceipts=Ordres de débit direct WithdrawalReceipt=Ordre de débit direct LastWithdrawalReceipts=Derniers fichiers de débit direct %s WithdrawalsLines=Lignes de commande de débit direct -RequestStandingOrderToTreat=Demande d'ordonnance de paiement de débit direct à traiter -RequestStandingOrderTreated=Demande d'ordonnance de paiement par prélèvement automatique traitée NotPossibleForThisStatusOfWithdrawReceiptORLine=Pas encore possible. L'état de retrait doit être défini sur 'crédité' avant de déclarer le rejet sur des lignes spécifiques. InvoiceWaitingWithdraw=Facture en attente de débit direct AmountToWithdraw=Montant à retirer -WithdrawsRefused=Débit direct refusé -NoInvoiceToWithdraw=Aucune facture de client avec Open 'Demandes de débit direct' est en attente. Allez sur l'onglet '%s' sur la carte de facture pour faire une demande. WithdrawalsSetup=Configuration du paiement par débit direct WithdrawStatistics=Statistiques de paiement par débit direct -WithdrawRejectStatistics=Statistiques de rejet de paiement par débit direct LastWithdrawalReceipt=Derniers %s reçus de débit direct MakeWithdrawRequest=Faire une demande de paiement par prélèvement automatique WithdrawRequestsDone=%s demandes de paiement par prélèvement automatique enregistrées ClassCreditedConfirm=Êtes-vous sûr de vouloir classer ce reçu de retrait comme crédité sur votre compte bancaire? +WithdrawsRefused=Débit direct refusé WithdrawalRefused=Retrait refusée WithdrawalRefusedConfirm=Êtes-vous sûr de vouloir introduire un rejet de retrait pour la société? RefusedData=Date de rejet diff --git a/htdocs/langs/fr_CH/accountancy.lang b/htdocs/langs/fr_CH/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/fr_CH/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/fr_CH/admin.lang b/htdocs/langs/fr_CH/admin.lang index 27c312f77d7..03864da2fa4 100644 --- a/htdocs/langs/fr_CH/admin.lang +++ b/htdocs/langs/fr_CH/admin.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CH/main.lang b/htdocs/langs/fr_CH/main.lang index 65f49b2ef5e..75d787bb95c 100644 --- a/htdocs/langs/fr_CH/main.lang +++ b/htdocs/langs/fr_CH/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%d/%m/%Y %I:%M %p FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y, %I:%M %p FormatDateHourText=%d %B %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/fr_CH/modulebuilder.lang b/htdocs/langs/fr_CH/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/fr_CH/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/fr_CH/projects.lang b/htdocs/langs/fr_CH/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/fr_CH/projects.lang +++ b/htdocs/langs/fr_CH/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/fr_CH/website.lang b/htdocs/langs/fr_CH/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/fr_CH/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/fr_CI/accountancy.lang b/htdocs/langs/fr_CI/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/fr_CI/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/fr_CI/admin.lang b/htdocs/langs/fr_CI/admin.lang index 27c312f77d7..03864da2fa4 100644 --- a/htdocs/langs/fr_CI/admin.lang +++ b/htdocs/langs/fr_CI/admin.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CI/main.lang b/htdocs/langs/fr_CI/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/fr_CI/main.lang +++ b/htdocs/langs/fr_CI/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/fr_CI/modulebuilder.lang b/htdocs/langs/fr_CI/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/fr_CI/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/fr_CI/projects.lang b/htdocs/langs/fr_CI/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/fr_CI/projects.lang +++ b/htdocs/langs/fr_CI/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/fr_CI/website.lang b/htdocs/langs/fr_CI/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/fr_CI/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/fr_CM/accountancy.lang b/htdocs/langs/fr_CM/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/fr_CM/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/fr_CM/admin.lang b/htdocs/langs/fr_CM/admin.lang index 27c312f77d7..03864da2fa4 100644 --- a/htdocs/langs/fr_CM/admin.lang +++ b/htdocs/langs/fr_CM/admin.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CM/main.lang b/htdocs/langs/fr_CM/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/fr_CM/main.lang +++ b/htdocs/langs/fr_CM/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/fr_CM/modulebuilder.lang b/htdocs/langs/fr_CM/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/fr_CM/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/fr_CM/projects.lang b/htdocs/langs/fr_CM/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/fr_CM/projects.lang +++ b/htdocs/langs/fr_CM/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/fr_CM/website.lang b/htdocs/langs/fr_CM/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/fr_CM/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index 0263549e3f2..3a469866b3b 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Les prochaines étapes doivent être faites pou AccountancyAreaDescActionFreq=Les actions suivantes sont habituellement exécutées chaque mois, semaine, ou jour pour les très grandes entreprises ... AccountancyAreaDescJournalSetup=Étape %s : Créer ou vérifier le contenu de la liste des journaux depuis le menu %s -AccountancyAreaDescChartModel=Étape %s : Créer un modèle de plan de compte depuis le menu %s -AccountancyAreaDescChart=Étape %s : Créer ou vérifier le contenu de votre plan de compte depuis le menu %s +AccountancyAreaDescChartModel=ÉTAPE %s: Vérifiez qu'il existe un modèle de plan comptable ou créez-en un à partir du menu %s +AccountancyAreaDescChart=ÉTAPE %s: Sélectionnez et | ou complétez votre plan de compte dans le menu %s AccountancyAreaDescVat=Étape %s : Définissez les comptes comptables de chaque taux de TVA utilisé. Pour cela, suivez le menu suivant %s. AccountancyAreaDescDefault=Étape %s: Définir les comptes de comptabilité par défaut. Pour cela, utilisez l'entrée de menu %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Lignes de factures liées ExpenseReportLines=Lignes de notes de frais à lier ExpenseReportLinesDone=Lignes de notes de frais liées IntoAccount=Lier ligne avec le compte comptable -TotalForAccount=Total for accounting account +TotalForAccount=Total pour le compte comptable Ventilate=Lier @@ -234,10 +234,10 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tiers inconnu et ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Compte tiers non défini ou inconnu. Erreur bloquante. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Compte tiers inconnu et compte d'attente non défini. Erreur blocante. PaymentsNotLinkedToProduct=Paiement non lié à un produit / service -OpeningBalance=Opening balance +OpeningBalance=Solde d'ouverture ShowOpeningBalance=Afficher balance d'ouverture HideOpeningBalance=Cacher balance d'ouverture -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Afficher le sous-total par groupe Pcgtype=Groupe de comptes comptables PcgtypeDesc=Les groupes de comptes sont utilisés comme critères de filtre et de regroupement prédéfinis pour certains rapports de comptabilité. Par exemple, «INCOME» ou «EXPENSE» sont utilisés en tant que groupes pour la comptabilité afin de générer le rapport dépenses / revenus. diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang index 8d18f60c27b..ce8505744ae 100644 --- a/htdocs/langs/fr_FR/admin.lang +++ b/htdocs/langs/fr_FR/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Utilisateur/groupe du serveur Web NoSessionFound=Votre PHP ne semble pas pouvoir lister les sessions actives. Le répertoire de sauvegarde des sessions (%s) est peut être protégé (Par exemple, par les permissions de l'OS ou par la directive open_basedir de votre PHP, ce qui d'un point de vue sécurité est une bonne chose). DBStoringCharset=Encodage base pour stockage données DBSortingCharset=Encodage base pour tri des données -HostCharset=Host charset +HostCharset=Jeu de caractères de serveur hôte ClientCharset=Jeu de caractères du client ClientSortingCharset=Jeu de caractère de tri du client WarningModuleNotActive=Le module %s doit être activé pour utiliser cette fonction. @@ -95,7 +95,7 @@ NextValueForInvoices=Prochaine valeur (factures) NextValueForCreditNotes=Prochaine valeur (avoirs) NextValueForDeposit=Prochaine valeur (acomptes) NextValueForReplacements=Prochaine valeur (factures de remplacement) -MustBeLowerThanPHPLimit=Remarque : Votre PHP limite la taille des envois à %s %s, quelle que soit la valeur de ce paramètre +MustBeLowerThanPHPLimit=Remarque: La configuration de votre PHP limite la taille des envois à %s %s, quelle que soit la valeur de ce paramètre NoMaxSizeByPHPLimit=Aucune limite configurée dans votre serveur PHP MaxSizeForUploadedFiles=Taille maximum des fichiers envoyés (0 pour interdire l'envoi) UseCaptchaCode=Utilisation du code graphique (CAPTCHA) sur la page de connexion @@ -207,7 +207,7 @@ ModulesMarketPlaces=Rechercher un module/application externe ModulesDevelopYourModule=Développer son propre module/application ModulesDevelopDesc=Vous pouvez également développer votre propre module ou trouver un partenaire pour en développer un pour vous. DOLISTOREdescriptionLong=Au lieu de basculer sur le site web www.dolistore.com pour trouver un module externe, vous pouvez utiliser cet outil intégré qui fera la recherche sur la place de marché pour vous (peut être lent, besoin d'un accès Internet) ... -NewModule=Nouveau +NewModule=Nouveau module FreeModule=Gratuit CompatibleUpTo=Compatible avec la version %s NotCompatible=Ce module n'est pas compatible avec votre version %s de Dolibarr (version min. %s - version max. %s). @@ -219,7 +219,7 @@ Nouveauté=Nouveauté AchatTelechargement=Acheter/télécharger GoModuleSetupArea=Pour déployer/installer un nouveau module, rendez vous dans la zone de configuration des modules : %s DoliStoreDesc=DoliStore, la place de marché officielle des modules et extensions complémentaires pour Dolibarr ERP/CRM -DoliPartnersDesc=Liste de quelques sociétés qui peuvent fournir/développer des modules ou fonctions sur mesure.
Remarque: Toute société Open Source connaissant le langage PHP peut fournir du développement spécifique. +DoliPartnersDesc=Liste des entreprises fournissant des modules ou des fonctionnalités développés sur mesure.
Note : puisque Dolibarr est une application open source, toute personne expérimentée en programmation PHP devrait pouvoir développer un module. WebSiteDesc=Sites fournisseurs à consulter pour trouver plus de modules (extensions)... DevelopYourModuleDesc=Quelques pistes pour développer votre propre module/application... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Entrez un numéro de téléphone à appeler pour tester le RefreshPhoneLink=Rafraichir lien LinkToTest=Lien cliquable généré pour l'utilisateur %s (cliquer sur le numéro pour tester) KeepEmptyToUseDefault=Laisser ce champ vide pour utiliser la valeur par défaut +KeepThisEmptyInMostCases=Dans la plupart des cas, vous pouvez garder ce champ vide DefaultLink=Lien par défaut SetAsDefault=Définir par défaut ValueOverwrittenByUserSetup=Attention, cette valeur peut être écrasée par une valeur spécifique à la configuration de l'utilisateur (chaque utilisateur pouvant avoir sa propre URL « clicktodial ») ExternalModule=Module externe InstalledInto=Installé dans le répertoire %s -BarcodeInitForthird-parties=Initialisation du code-barre en masse pour les tiers +BarcodeInitForThirdparties=Initialisation du code-barre en masse pour les tiers BarcodeInitForProductsOrServices=Initialisation ou purge en masse des codes-barre des produits ou services CurrentlyNWithoutBarCode=Actuellement, vous avez %s enregistrements sur %s %s sans code barre défini. InitEmptyBarCode=Initialisez les valeurs pour les %s enregistrements vides suivant @@ -541,8 +542,8 @@ Module54Name=Contrats/Abonnements Module54Desc=Gestion des contrats (services ou abonnements récurrents) Module55Name=Codes-barres Module55Desc=Gestion des codes-barres -Module56Name=Téléphonie -Module56Desc=Gestion de la téléphonie +Module56Name=Paiement par virement bancaire +Module56Desc=Gestion du paiement par ordres de virement bancaire. Il comprend la génération du fichier SEPA pour les pays européens. Module57Name=Prélèvements Module57Desc=Gestion des paiements par prélèvements. Inclut également la génération du fichier de virement des paiements SEPA pour les pays européens. Module58Name=ClickToDial @@ -651,7 +652,7 @@ Module50200Name=Paypal Module50200Desc=Module permettant d'offrir une page de paiement en ligne par carte de crédit avec PayBox. Ceci peut être utilisé par les clients pour faire des paiements de montants libre ou pour des paiements d'un objet particulier de Dolibarr (facture, commande, ...) Module50300Name=Stripe Module50300Desc=Offrez aux clients une page de paiement en ligne Stripe (cartes de crédit/débit). Ceci peut être utilisé pour permettre à vos clients d'effectuer des paiements libres ou liés à un objet Dolibarr spécifique (facture, commande, etc.). -Module50400Name=Comptabilité (double-partie) +Module50400Name=Comptabilité (partie double) Module50400Desc=Gestion de la comptabilité (double partie, comptabilité général et auxiliaire). Export du grand livre dans différent formats de logiciels comptables. Module54000Name=PrintIPP Module54000Desc=Impression directe (sans ouvrir les documents) en utilisant l'interface Cups IPP (l'imprimante doit être visible depuis le serveur, et CUPS doit être installé sur le serveur). @@ -1016,7 +1017,7 @@ LocalTax2IsUsedDescES=Le IRPF proposé par défaut lors de la création de propa LocalTax2IsNotUsedDescES=L'IRPF proposé par défaut est 0. Fin de règle. LocalTax2IsUsedExampleES=En Espagne, ce sont des professionnels autonomes et indépendants qui offrent des services, et des sociétés qui ont choisi le système fiscal du module. LocalTax2IsNotUsedExampleES=En Espagne, ce sont des sociétés qui ne sont pas soumises au système fiscal du module. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +RevenueStampDesc=La «taxe timbre» ou «timbre fiscal» est une taxe fixe que vous facturez (elle ne dépend pas du montant de la facture). Il peut également s'agir d'une taxe en pourcentage, mais l'utilisation du deuxième ou du troisième type de taxe est préférable pour les taxes en pourcentage car les timbres fiscaux ne fournissent pas de reporting. Seuls quelques pays utilisent ce type de taxe. UseRevenueStamp=Utilisez un timbre fiscal UseRevenueStampExample=La valeur du timbre fiscal est définie par défaut dans la configuration des dictionnaires (%s - %s - %s) CalcLocaltax=Rapports sur les taxes locales @@ -1145,6 +1146,7 @@ AvailableModules=Modules/applications installés ToActivateModule=Pour activer des modules, aller dans l'espace Configuration (Accueil->Configuration->Modules). SessionTimeOut=Délai expiration des sessions SessionExplanation=Ce nombre garanti que la session n'expire pas avant ce délai, lorsque le nettoyage des sessions est assurés par le mécanisme de nettoyage interne à PHP (et aucun autre). Le nettoyage interne de sessions PHP ne garantie pas que la session expire juste au moment de ce délai. Elle expirera après ce délai, mais au moment du nettoyage des sessions, qui a lieu toutes les %s/%s accès environ, mais uniquement lors d'accès fait par d'autres sessions (si la valeur est 0, cela signifie que le nettoyage des session est fait par un process externe).
Note: sur certains serveurs munis d'un mécanisme de nettoyage de session externe (cron sous Debian, Ubuntu…), le sessions peuvent être détruites après un délai, défini par une configuration extérieure, quelle que soit la valeur saisie ici. +SessionsPurgedByExternalSystem=Les sessions sur ce serveur semblent être nettoyées par un mécanisme externe (cron sous debian, ubuntu ...), probablement toutes les %s secondes (= la valeur du paramètre session.gc_maxlifetime), aussi changer la valeur ici n'a pas d'effet. Vous devez demander à l'administrateur du serveur pour modifier le délai de session. TriggersAvailable=Déclencheurs disponibles TriggersDesc=Les déclencheurs sont des fichiers qui, une fois déposés dans le répertoire htdocs/core/triggers, modifient le comportement du workflow de Dolibarr. Ils réalisent des actions supplémentaires, déclenchées par les événements Dolibarr (création société, validation facture, clôture contrat…). TriggerDisabledByName=Déclencheurs de ce fichier désactivés par le suffix -NORUN dans le nom du fichier. @@ -1262,6 +1264,7 @@ FieldEdition=Édition du champ %s FillThisOnlyIfRequired=Exemple: +2 (ne remplir que si un décalage d'heure est constaté dans l'export) GetBarCode=Récupérer code barre NumberingModules=Modèles de numérotation +DocumentModules=Modèles de documents ##### Module password generation PasswordGenerationStandard=Renvoie un mot de passe généré selon l'algorithme interne de Dolibarr : 8 caractères, chiffres et caractères en minuscules mélangés. PasswordGenerationNone=Ne pas suggérer un mot de passe généré. Le mot de passe doit être entré manuellement. @@ -1273,7 +1276,7 @@ RuleForGeneratedPasswords=Règle pour la génération des mots de passe proposé DisableForgetPasswordLinkOnLogonPage=Cacher le lien "Mot de passe oublié" sur la page de connexion UsersSetup=Configuration du module utilisateurs UserMailRequired=Email requis pour créer un nouvel utilisateur -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Masquer les utilisateurs inactifs sur toutes les listes déroulantes d'utilisateurs (non recommandé: cela peut signifier que vous ne pourrez pas filtrer ou rechercher les anciens utilisateurs sur certaines pages) UsersDocModules=Modèles de documents pour les documents générés à partir de la fiche utilisateur GroupsDocModules=Modèles de documents pour les documents générés à partir de la fiche d'un groupe ##### HRM setup ##### @@ -1844,6 +1847,7 @@ MailToThirdparty=Tiers MailToMember=Adhérents MailToUser=Utilisateurs MailToProject=Fiche projets +MailToTicket=Tickets ByDefaultInList=Afficher par défaut sur les vues listes YouUseLastStableVersion=Vous utilisez la dernière version stable TitleExampleForMajorRelease=Exemple de message que vous pouvez utiliser pour annonce une nouvelle version majeure (n'hésitez pas à l'utilisez pour vos propres news) @@ -1939,7 +1943,7 @@ WithoutDolTrackingID=Référence Dolibarr non trouvée dans l'ID du message FormatZip=Zip MainMenuCode=Code d'entrée du menu (mainmenu) ECMAutoTree=Afficher l'arborescence GED automatique -OperationParamDesc=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=Définissez les valeurs à utiliser pour l'action, ou comment extraire les valeurs. Par exemple:
objproperty1=SET:abc
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4 = EXTRACT: HEADER:X-Myheaderkey.*[^\\s]+([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Utilisez un caractère ; comme séparateur pour extraire ou définir plusieurs propriétés. OpeningHours=Heures d'ouverture OpeningHoursDesc=Entrez ici les heures d'ouverture régulières de votre entreprise. ResourceSetup=Configuration du module Ressource @@ -1996,6 +2000,7 @@ EmailTemplate=Modèle d'e-mail EMailsWillHaveMessageID=Les e-mails auront une étiquette 'References' correspondant à cette syntaxe 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 RssNote=Remarque: Chaque définition de flux RSS fournit un widget que vous devez activer pour qu'il soit disponible dans le tableau de bord JumpToBoxes=Aller à la Configuration -> Widgets MeasuringUnitTypeDesc=Utilisez ici une valeur comme "taille", "surface", "volume", "poids", "temps". diff --git a/htdocs/langs/fr_FR/agenda.lang b/htdocs/langs/fr_FR/agenda.lang index c2cb8e9f7c0..7e58193f49f 100644 --- a/htdocs/langs/fr_FR/agenda.lang +++ b/htdocs/langs/fr_FR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s envoyé par email ProposalDeleted=Proposition commerciale supprimée OrderDeleted=Commande supprimée InvoiceDeleted=Facture supprimée +DraftInvoiceDeleted=Facture brouillon supprimée PRODUCT_CREATEInDolibarr=Produit %s créé PRODUCT_MODIFYInDolibarr=Produit %s modifié PRODUCT_DELETEInDolibarr=Produit%ssupprimé HOLIDAY_CREATEInDolibarr=Demande de congé %s créée HOLIDAY_MODIFYInDolibarr=Demande de congé %s modifiée HOLIDAY_APPROVEInDolibarr=Demande de congé %s approuvée -HOLIDAY_VALIDATEDInDolibarr=Demande de congé %s validée +HOLIDAY_VALIDATEInDolibarr=Demande de congé %s validée HOLIDAY_DELETEInDolibarr=Demande de congé %s supprimée EXPENSE_REPORT_CREATEInDolibarr=Note de frais %s créée EXPENSE_REPORT_VALIDATEInDolibarr=Note de frais %s validée @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=Nomenclature (BOM) désactivée BOM_REOPENInDolibarr=Nomenclature (BOM) ré-ouverte BOM_DELETEInDolibarr=Nomenclature (BOM) supprimée MRP_MO_VALIDATEInDolibarr=OF validé +MRP_MO_UNVALIDATEInDolibarr=OF mis à l'état de brouillon MRP_MO_PRODUCEDInDolibarr=OF réalisé MRP_MO_DELETEInDolibarr=OF supprimé +MRP_MO_CANCELInDolibarr=OF annulé ##### End agenda events ##### AgendaModelModule=Modèle de document pour les événements DateActionStart=Date de début @@ -123,7 +126,7 @@ AgendaUrlOptionsNotAdmin=logina=!%s pour limiter l'export aux actions non AgendaUrlOptions4=logint=%spour limiter l'export aux actions assignées à l'utilisateur %s (propriétaire et autres). AgendaUrlOptionsProject=project=__PROJECT_ID__ pour restreindre aux événements associés au projet __PROJECT_ID__. AgendaUrlOptionsNotAutoEvent= notactiontype=systemauto pour exclure les événements automatiques. -AgendaUrlOptionsIncludeHolidays=  includeholidays = 1 pour inclure les événements de type vacances. +AgendaUrlOptionsIncludeHolidays=  includeholidays = 1 pour inclure les événements de type congé. AgendaShowBirthdayEvents=Afficher les anniversaires de contacts AgendaHideBirthdayEvents=Masquer les anniversaires de contacts Busy=Occupé @@ -151,3 +154,6 @@ EveryMonth=Chaque mois DayOfMonth=Jour du mois DayOfWeek=Jour de la semaine DateStartPlusOne=Date de début + 1 heure +SetAllEventsToTodo=Réglez tous les événements à "A faire" +SetAllEventsToInProgress=Définir tous les événements à "En cours" +SetAllEventsToFinished=Définir tous les événements sur "Terminés" diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang index 5872ad27959..b305b65d715 100644 --- a/htdocs/langs/fr_FR/banks.lang +++ b/htdocs/langs/fr_FR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valide SwiftVNotalid=BIC/SWIFT non valide IbanValid=Numéro de compte valide IbanNotValid=Numéro de compte non valide -StandingOrders=Prélèvements +StandingOrders=Bons de prélèvements StandingOrder=Prélèvement +PaymentByBankTransfers=Paiements par virement bancaire +PaymentByBankTransfer=Paiement par virement bancaire AccountStatement=Relevé AccountStatementShort=Relevé AccountStatements=Relevés @@ -95,7 +97,7 @@ AddBankRecordLong=Saisie d'une écriture manuelle Conciliated=Rapproché ConciliatedBy=Rapproché par DateConciliating=Date rapprochement -BankLineConciliated=Écriture rapprochée avec le reçu bancaire +BankLineConciliated=Écriture rapprochée avec le relevé bancaire Reconciled=Rapproché NotReconciled=Non rapproché CustomerInvoicePayment=Règlement client diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index 5f2c4c29729..5f9eabf8605 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Escompte (règl. avt échéance) EscompteOfferedShort=Escompte SendBillRef=Envoi de la facture %s SendReminderBillRef=Relance de la facture %s (rappel) -StandingOrders=Prélèvements -StandingOrder=Prélèvement NoDraftBills=Pas de facture brouillon NoOtherDraftBills=Pas d'autre facture brouillon NoDraftInvoices=Pas de factures brouillons @@ -385,7 +383,7 @@ GeneratedFromTemplate=Généré à partir du modèle de facture %s WarningInvoiceDateInFuture=Attention, la date de facturation est antérieur à la date actuelle WarningInvoiceDateTooFarInFuture=Attention, la date de facturation est trop éloignée de la date actuelle ViewAvailableGlobalDiscounts=Voir les remises disponibles -GroupPaymentsByModOnReports=Grouper les paiements par mode sur les rapports +GroupPaymentsByModOnReports=Paiements groupés par mode sur les rapports # PaymentConditions Statut=État PaymentConditionShortRECEP=A réception @@ -572,3 +570,6 @@ AutoFillDateToShort=Définir la date de fin MaxNumberOfGenerationReached=Nb maximum de gén. atteint BILL_DELETEInDolibarr=Facture supprimée BILL_SUPPLIER_DELETEInDolibarr=Facture fournisseur supprimée +UnitPriceXQtyLessDiscount=Prix unitaire x Qté - Remise +CustomersInvoicesArea=Zone de facturation client +SupplierInvoicesArea=Zone de facturation fournisseur diff --git a/htdocs/langs/fr_FR/cashdesk.lang b/htdocs/langs/fr_FR/cashdesk.lang index d1aa1c677fa..013ff6065f2 100644 --- a/htdocs/langs/fr_FR/cashdesk.lang +++ b/htdocs/langs/fr_FR/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Modèle principal à utiliser OrderTemplateToUse=Modèle de commande à utiliser BarRestaurant=Bar Restaurant AutoOrder=Commande automatique du client +RestaurantMenu=Menu +CustomerMenu=Menu client diff --git a/htdocs/langs/fr_FR/categories.lang b/htdocs/langs/fr_FR/categories.lang index 1d12abe07e8..a7aa6836bdc 100644 --- a/htdocs/langs/fr_FR/categories.lang +++ b/htdocs/langs/fr_FR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Tags des comptes ProjectsCategoriesShort=Tags de projets UsersCategoriesShort=Tags utlisateurs StockCategoriesShort=Tags/catégories d’entrepôt -ThisCategoryHasNoProduct=Ce tag/catégorie ne contient aucun produit. -ThisCategoryHasNoSupplier=Ce tag/catégorie ne contient aucun fournisseur. -ThisCategoryHasNoCustomer=Ce tag/catégorie ne contient aucun client. -ThisCategoryHasNoMember=Ce tag/catégorie ne contient aucun adhérent. -ThisCategoryHasNoContact=Ce tag/catégorie ne contient aucun contact. -ThisCategoryHasNoAccount=Cette catégorie ne contient aucun compte -ThisCategoryHasNoProject=Cette catégorie ne content aucun projet +ThisCategoryHasNoItems=Cette catégorie ne contient aucun élément. CategId=ID du(de la) tag/catégorie CatSupList=Liste des tags/catégories de fournisseurs CatCusList=Liste des tags/catégories de clients/prospects @@ -78,7 +72,7 @@ CatMemberList=Liste des tags/catégories de membres CatContactList=Liste des tags/catégories de contact CatSupLinks=Liens entre fournisseurs et tags/catégories CatCusLinks=Liens entre clients/prospects et tags/catégories -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Liens entre contacts/adresses et tags/catégories CatProdLinks=Liens entre produits/services et tags/catégories CatProJectLinks=Liens entre projets et tags/catégories DeleteFromCat=Enlever des tags/catégories @@ -92,4 +86,5 @@ ByDefaultInList=Par défaut dans la liste ChooseCategory=Choisissez une catégorie StocksCategoriesArea=Espace Catégories d'entrepôts ActionCommCategoriesArea=Espace catégories d'événements +WebsitePagesCategoriesArea=Espace catégories des Pages-Containeurs UseOrOperatorForCategories=Utiliser l'opérateur 'ou' pour les catégories diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang index 7101ec05242..1a5b14eff8a 100644 --- a/htdocs/langs/fr_FR/companies.lang +++ b/htdocs/langs/fr_FR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Espace prospection IdThirdParty=Identifiant tiers IdCompany=Identifiant société IdContact=Identifiant contact -Contacts=Contacts ThirdPartyContacts=Contacts tiers ThirdPartyContact=Contact/adresse de tiers Company=Société @@ -298,7 +297,8 @@ AddContact=Créer contact AddContactAddress=Créer contact/adresse EditContact=Éditer contact EditContactAddress=Éditer contact/adresse -Contact=Contact +Contact=Contact/Adresse +Contacts=Contacts ContactId=Id du contact ContactsAddresses=Contacts/Adresses FromContactName=Nom: @@ -425,7 +425,7 @@ ListSuppliersShort=Liste des fournisseurs ListProspectsShort=Liste des prospects ListCustomersShort=Liste des clients ThirdPartiesArea=Tiers / Contacts -LastModifiedThirdParties=Les %s derniers tiers modifiés +LastModifiedThirdParties=Derniers %s tiers modifiés UniqueThirdParties=Total de tiers uniques InActivity=Ouvert ActivityCeased=Clos diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang index 6fdaed0fe48..ce7cd74f443 100644 --- a/htdocs/langs/fr_FR/errors.lang +++ b/htdocs/langs/fr_FR/errors.lang @@ -235,8 +235,8 @@ ErrorLanguageOfTranslatedPageIsSameThanThisPage=Erreur, la langue de la page tra ErrorBatchNoFoundForProductInWarehouse=Aucun lot / série trouvé pour le produit "%s" dans l'entrepôt "%s". ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Pas assez de quantité pour ce lot / série pour le produit "%s" dans l'entrepôt "%s". ErrorOnlyOneFieldForGroupByIsPossible=1 seul champ pour le 'Grouper par' est possible (les autres sont supprimés) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorTooManyDifferentValueForSelectedGroupBy=Trop de valeurs différentes trouvées (plus de %s ) pour le champ '%s', nous ne pouvons donc pas l'utiliser pour 'Grouper par' dans les graphiques. Le champ 'Grouper Par' a été supprimé. Peut-être vouliez-vous l'utiliser comme un simple axe X ? +ErrorReplaceStringEmpty=Erreur, la chaîne à remplacer est vide # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Votre paramètre PHP upload_max_filesize (%s) est supérieur au paramètre PHP post_max_size (%s). Ceci n'est pas une configuration cohérente. WarningPasswordSetWithNoAccount=Un mot de passe a été fixé pour cet adhérent. Cependant, aucun compte d'utilisateur n'a été créé. Donc, ce mot de passe est stocké, mais ne peut être utilisé pour accéder à Dolibarr. Il peut être utilisé par un module/interface externe, mais si vous n'avez pas besoin de définir ni login ni mot de passe pour un adhérent, vous pouvez désactiver l'option «Gérer un login pour chaque adhérent" depuis la configuration du module Adhérents. Si vous avez besoin de gérer un login, mais pas de mot de passe, vous pouvez laisser ce champ vide pour éviter cet avertissement. Remarque: L'email peut également être utilisé comme login si l'adhérent est lié à un utilisateur. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Attention, le nombre de destina WarningDateOfLineMustBeInExpenseReportRange=Attention, la date de la ligne n'est pas dans la plage de la note de frais WarningProjectClosed=Le projet est fermé. Vous devez d'abord le rouvrir. WarningSomeBankTransactionByChequeWereRemovedAfter=Certaines transactions bancaires ont été supprimées après que le relevé les incluant ait été généré. Aussi, le nombre de chèques et le total des encaissements peuvent différer du nombre et du total dans la liste. +WarningFailedToAddFileIntoDatabaseIndex=Avertissement : échec de l’ajout d’une entrée de fichier dans le tableau d’index de la base de données ECM diff --git a/htdocs/langs/fr_FR/hrm.lang b/htdocs/langs/fr_FR/hrm.lang index 0016389f193..c399553b9a8 100644 --- a/htdocs/langs/fr_FR/hrm.lang +++ b/htdocs/langs/fr_FR/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=Êtes-vous sûr de vouloir supprimer cet établisseme OpenEtablishment=Etablissement ouvert CloseEtablishment=Etablissement fermé # Dictionary +DictionaryPublicHolidays=GRH - Jours fériés DictionaryDepartment=GRH - Liste des départements -DictionaryFunction=GRH - Liste des fonctions +DictionaryFunction=HRM - Postes à pourvoir # Module Employees=Salariés Employee=Salarié diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang index 9e0084ef7e4..7fa8f9f2691 100644 --- a/htdocs/langs/fr_FR/install.lang +++ b/htdocs/langs/fr_FR/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=PHP supporte l'extension Curl PHPSupportCalendar=Ce PHP supporte les extensions calendar. PHPSupportUTF8=Ce PHP prend en charge les fonctions UTF8. PHPSupportIntl=Ce PHP supporte les fonctions Intl. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Ce PHP prend en charge les fonctions de débogage étendues. PHPSupport=Ce PHP prend en charge les fonctions %s. PHPMemoryOK=Votre mémoire maximum de session PHP est définie à %s. Ceci devrait être suffisant. PHPMemoryTooLow=Votre mémoire maximum de session PHP est définie à %s octets. Ceci est trop faible. Il est recommandé de modifier le paramètre memory_limit de votre fichier php.ini à au moins %s octets. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Votre version de PHP ne supporte pas l'extension Curl ErrorPHPDoesNotSupportCalendar=Votre installation de PHP ne supporte pas les extensions php calendar. ErrorPHPDoesNotSupportUTF8=Ce PHP ne prend pas en charge les fonctions UTF8. Résolvez le problème avant d'installer Dolibarr car il ne pourra pas fonctionner correctement. ErrorPHPDoesNotSupportIntl=Votre installation de PHP ne supporte pas les fonctions Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Votre installation PHP ne prend pas en charge les fonctions d'extension de débogage. ErrorPHPDoesNotSupport=Votre installation PHP ne prend pas en charge les fonctions %s. ErrorDirDoesNotExists=Le répertoire %s n'existe pas ou n'est pas accessible. ErrorGoBackAndCorrectParameters=Revenez en arrière et vérifiez / corrigez les paramètres. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Une erreur est survenu lors du processus de migration, YouTryInstallDisabledByDirLock=L'application essaie de se mettre à jour, mais les pages d'installation / mise à jour ont été désactivées pour des raisons de sécurité (répertoire renommé avec le suffixe .lock).
YouTryInstallDisabledByFileLock=L'application a tenté de se mettre à niveau automatiquement, mais les pages d'installation / de mise à niveau ont été désactivées pour des raisons de sécurité (grâce à l'existence d'un fichier de verrouillage install.lock dans le répertoire de documents dolibarr).
ClickHereToGoToApp=Cliquez ici pour aller sur votre application -ClickOnLinkOrRemoveManualy=Cliquez sur le lien suivant et si vous atteignez toujours cette page, vous devez supprimer manuellement le fichier install.lock dans le répertoire documents -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Si une mise à niveau est en cours, veuillez patienter. Sinon, cliquez sur le lien suivant. Si vous voyez toujours cette même page, vous devez supprimer/renommer le fichier install.lock dans le répertoire documents. +Loaded=Chargé +FunctionTest=Fonction test diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index 03212c77540..75d966ebb96 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Pas de modèle défini pour ce type d'email AvailableVariables=Variables de substitution disponibles NoTranslation=Pas de traduction Translation=Traduction -EmptySearchString=Entrez une chaîne de recherche non vide +EmptySearchString=Entrez des critères de recherche non vides NoRecordFound=Aucun enregistrement trouvé NoRecordDeleted=Aucun enregistrement supprimé NotEnoughDataYet=Pas assez de données @@ -187,6 +187,8 @@ ShowCardHere=Voir la fiche ici Search=Rechercher SearchOf=Recherche de SearchMenuShortCut=Ctrl + Maj + f +QuickAdd=Création rapide +QuickAddMenuShortCut=Ctrl + Maj + l Valid=Valider Approve=Approuver Disapprove=Désapprouver @@ -664,6 +666,7 @@ Owner=Propriétaire FollowingConstantsWillBeSubstituted=Les constantes suivantes seront substituées par leur valeur correspondante. Refresh=Rafraichir BackToList=Retour liste +BackToTree=Retour à l'arborescence GoBack=Retour arrière CanBeModifiedIfOk=Peut être modifié si valide CanBeModifiedIfKo=Peut être modifié si invalide @@ -840,6 +843,7 @@ Sincerely=Sincèrement ConfirmDeleteObject=Êtes-vous sûr de vouloir supprimer cet objet ? DeleteLine=Effacer ligne ConfirmDeleteLine=Êtes-vous sûr de vouloir supprimer cette ligne ? +ErrorPDFTkOutputFileNotFound=Erreur : le fichier n’a pas été généré. Veuillez vérifier que la commande 'pdftk' est installée dans un répertoire inclus dans la variable d’environnement $PATH (linux/unix uniquement) ou contacter votre administrateur système. NoPDFAvailableForDocGenAmongChecked=Aucun document PDF n'était disponible pour la génération de document parmi les enregistrements vérifiés TooManyRecordForMassAction=Trop d'enregistrements sélectionnés pour l'action de masse. De telles actions sont restreintes à une liste de %s enregistrements maximum. NoRecordSelected=Aucu enregistrement sélectionné @@ -1033,3 +1037,5 @@ DeleteFileText=Voulez-vous vraiment supprimer ce fichier? ShowOtherLanguages=Afficher les autres langues SwitchInEditModeToAddTranslation=Passer en mode édition pour ajouter des traductions pour cette langue NotUsedForThisCustomer=Non utilisé pour ce client +AmountMustBePositive=Le montant doit être positif. +ByStatus=Par statut diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index ea734dd7587..f8438190fc6 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Zone de danger BuildPackage=Construire le package BuildPackageDesc=Vous pouvez générer un package zip de votre application afin d'être prêt à le distribuer sur n’importe quel Dolibarr. Vous pouvez également le distribuer ou le vendre sur une place de marché, comme DoliStore.com . BuildDocumentation=Générer la documentation -ModuleIsNotActive=Le module n'est pas encore activé. Aller à %s pour l'activer ou cliquer ici : +ModuleIsNotActive=Le module n'est pas encore activé. Aller à %s pour l'activer ou cliquer ici ModuleIsLive=Ce module a été activé. Tout changement dessus pourrait casser une fonctionnalité actuellement en ligne. DescriptionLong=Description longue EditorName=Nom de l'éditeur @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Liste des entrées de dictionnaires ListOfPermissionsDefined=Liste des permissions SeeExamples=Voir des exemples ici EnabledDesc=Condition pour que ce champ soit actif (Exemples: 1 ou $conf->global->MYMODULE_MYOPTION) -VisibleDesc=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) +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 DisplayOnPdf=Afficher sur PDF IsAMeasureDesc=Peut-on cumuler la valeur du champ pour obtenir un total dans les listes ? (Exemples: 1 ou 0) @@ -139,3 +139,4 @@ ForeignKey=Clé étrangère TypeOfFieldsHelp=Type de champs:
varchar (99), double (24,8), réel, texte, html, datetime, timestamp, integer, integer:NomClasse:cheminrelatif/vers/classfile.class.php [:1[:filtre]] ('1' signifie nous ajoutons un bouton + après le combo pour créer l'enregistrement, 'filter' peut être 'status = 1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' par exemple) AsciiToHtmlConverter=Convertisseur Ascii en HTML AsciiToPdfConverter=Convertisseur Ascii en PDF +TableNotEmptyDropCanceled=La table n’est pas vide. Le dépôt a été annulé. diff --git a/htdocs/langs/fr_FR/mrp.lang b/htdocs/langs/fr_FR/mrp.lang index e4f4ec65f88..5a6d8b77e54 100644 --- a/htdocs/langs/fr_FR/mrp.lang +++ b/htdocs/langs/fr_FR/mrp.lang @@ -1,6 +1,6 @@ Mrp=Ordres de fabrication MO=Ordre de fabrication -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Module de gestion de production et Ordres de Fabrication (OF). MRPArea=Espace MRP MrpSetupPage=Configuration du module MRP MenuBOM=Nomenclatures BOM @@ -24,9 +24,9 @@ WatermarkOnDraftMOs=Filigrane sur le brouillon d'OF ConfirmCloneBillOfMaterials=Êtes-vous sûr de vouloir cloner cette nomenclature %s ? ConfirmCloneMo=Êtes-vous sûr de vouloir cloner l'Ordre de Fabrication %s? ManufacturingEfficiency=Efficacité de fabrication -ConsumptionEfficiency=Consumption efficiency +ConsumptionEfficiency=Efficacité de la consommation ValueOfMeansLoss=Une valeur de 0,95 signifie une perte moyenne de 5%% pendant la production -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ValueOfMeansLossForProductProduced=Une valeur de 0,95 signifie une moyenne de 5%% de perte de produit fabriqué DeleteBillOfMaterials=Supprimer la nomenclature DeleteMo=Supprimer l'ordre de fabrication ConfirmDeleteBillOfMaterials=Êtes-vous sûr de vouloir supprimer cette nomenclature? @@ -56,18 +56,22 @@ ToConsume=A consommer ToProduce=Produire QtyAlreadyConsumed=Qté déjà consommée QtyAlreadyProduced=Qté déjà produite +QtyRequiredIfNoLoss=Quantité requise s'il n'y a pas de perte (l'efficacité de fabrication est de 100%%) ConsumeOrProduce=Consommer ou Produire ConsumeAndProduceAll=Consommer et Produire tout Manufactured=Fabriqué TheProductXIsAlreadyTheProductToProduce=Le produit à ajouter est déjà le produit à produire. -ForAQuantityOf1=Pour une quantité à produire de 1 +ForAQuantityOf=Pour une quantité à produire de %s ConfirmValidateMo=Voulez-vous vraiment valider cet ordre de fabrication? ConfirmProductionDesc=En cliquant sur '%s', vous validerez la consommation et / ou la production pour les quantités définies. Cela mettra également à jour le stock et enregistrera les mouvements de stock. ProductionForRef=Production de %s AutoCloseMO=Fermer automatiquement l'Ordre de Fabrication si les quantités à consommer et à produire sont atteintes NoStockChangeOnServices=Aucune variation de stock sur les services -ProductQtyToConsumeByMO=Quantité de produit restant à consommer par OF ouverte +ProductQtyToConsumeByMO=Quantité de produit restant à consommer par OF ouvert ProductQtyToProduceByMO=Quantité de produits encore à produire par OF ouverte -AddNewConsumeLines=Add new line to consume -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce +AddNewConsumeLines=Ajouter une nouvelle ligne à consommer +ProductsToConsume=Produits à consommer +ProductsToProduce=Produits à produire +UnitCost=Coût unitaire +TotalCost=Coût total +BOMTotalCost=Le coût de production de cette nomenclature basé sur chaque quantité et produit à consommer (utilise le prix de revient si défini, sinon le PMP si défini, sinon le meilleur prix d'achat) diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index 022e9f0207e..a2d62e04cf7 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -34,7 +34,7 @@ GraphInBarsAreLimitedToNMeasures=Les graphiques sont limités à %s mesures en m OnlyOneFieldForXAxisIsPossible=1 seul champ est actuellement possible en tant qu'axe X. Seul le premier champ sélectionné a été choisi. AtLeastOneMeasureIsRequired=Au moins 1 champ de mesure est requis AtLeastOneXAxisIsRequired=Au moins 1 champ pour l'axe X est requis -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Derniers articles du Blog Notify_ORDER_VALIDATE=Validation commande client Notify_ORDER_SENTBYMAIL=Envoi commande client par email Notify_ORDER_SUPPLIER_SENTBYMAIL=Envoi commande fournisseur par email @@ -85,8 +85,8 @@ MaxSize=Taille maximum AttachANewFile=Ajouter un nouveau fichier/document LinkedObject=Objet lié NbOfActiveNotifications=Nombre de notifications (nb de destinataires emails) -PredefinedMailTest=__(Hello)__,\nCeci est un mail de test envoyé à __EMAIL__.\nLes deux lignes sont séparées par un saut de ligne.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
Ceci est un message de test (le mot test doit être en gras).
Les 2 lignes sont séparées par un retour à la ligne.

__SIGNATURE__ +PredefinedMailTest=__(Bonjour)__,Ceci est un mail de test envoyé à __EMAIL__.Les deux lignes sont séparées par un saut de ligne.__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Bonjour)__Ceci est un message de test (le mot test doit être en gras).Les lignes sont séparées par un retour à la ligne.__SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nVous trouverez ci-joint la facture __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nNous souhaitons vous prévenir que la facture __REF__ ne semble pas avoir été payée. Revoici donc la facture en pièce jointe, à titre de rappel.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index c4b720bb7be..2dcada28259 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -23,7 +23,7 @@ MassBarcodeInit=Initialisation codes-barre MassBarcodeInitDesc=Cette page peut être utilisée pour initialiser un code-barre sur des objets qui ne disposent pas de code-barre défini. Vérifiez avant que l'installation du module code-barres est complète. ProductAccountancyBuyCode=Code comptable (achat) ProductAccountancyBuyIntraCode=Code comptable (achat intra-communautaire) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyExportCode=Code comptable (achat import) ProductAccountancySellCode=Code comptable (vente) ProductAccountancySellIntraCode=Code comptable (vente intra-communautaire) ProductAccountancySellExportCode=Code comptable (vente à l'export) @@ -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=Derniers %s produits/services modifiés LastRecordedProducts=Les %s derniers produits enregistrés LastRecordedServices=Les %s derniers services enregistrés CardProduct0=Produit @@ -106,7 +106,7 @@ NoteNotVisibleOnBill=Note (non visible sur les factures, propals...) ServiceLimitedDuration=Si produit de type service à durée limitée : MultiPricesAbility=Plusieurs niveaux de prix par produit/service (chaque client est dans un et un seul niveau) MultiPricesNumPrices=Nombre de prix -DefaultPriceType=Type de prix par default +DefaultPriceType=Base des prix par défaut (avec hors taxes) lors de l’ajout de nouveaux prix de vente AssociatedProductsAbility=Pris en charge des produits virtuels (kits) AssociatedProducts=Produits virtuels AssociatedProductsNumber=Nbre de sous-produits constituant ce produit virtuel @@ -168,7 +168,7 @@ SuppliersPrices=Prix fournisseurs SuppliersPricesOfProductsOrServices=Prix fournisseurs (des produits ou services) CustomCode=Nomenclature douanière / Code SH CountryOrigin=Pays d'origine -Nature=Nature of product (material/finished) +Nature=Nature du produit (matière première / produit fini) ShortLabel=Libellé court Unit=Unité p=u. diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang index 4c1ee9a3c33..2467c64fa4b 100644 --- a/htdocs/langs/fr_FR/projects.lang +++ b/htdocs/langs/fr_FR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Enfant de la tâche TaskHasChild=La tâche a des fils NotOwnerOfProject=Non responsable de ce projet privé AffectedTo=Affecté à -CantRemoveProject=Ce projet ne peut être supprimé car il est référencé par de nombreux objets (factures, commandes ou autre). voir la liste sur l'onglet Reférents. +CantRemoveProject=Ce projet ne peut être supprimé car il est référencé par de nombreux objets (factures, commandes ou autre). Voir l'onglet '%s'. ValidateProject=Valider projet ConfirmValidateProject=Êtes-vous sûr de vouloir valider ce projet ? CloseAProject=Clore projet @@ -255,7 +255,7 @@ ServiceToUseOnLines=Service à utiliser sur les lignes InvoiceGeneratedFromTimeSpent=La facture %s a été générée à partir du temps passé sur le projet ProjectBillTimeDescription=Cochez si vous saisissez du temps sur les tâches du projet ET prévoyez de générer des factures à partir des temps pour facturer le client du projet (ne cochez pas si vous comptez créer une facture qui n'est pas basée sur la saisie des temps). Note: Pour générer une facture, aller sur l'onglet 'Temps consommé' du project et sélectionnez les lignes à inclure. ProjectFollowOpportunity=Suivre une opportunité -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Suivez des tâches ou du temps passé Usage=Usage UsageOpportunity=Utilisation: Opportunité UsageTasks=Utilisation: Tâches @@ -265,3 +265,4 @@ NewInvoice=Nouvelle facture OneLinePerTask=Une ligne par tâche OneLinePerPeriod=Une ligne par période RefTaskParent=Réf. Tâche parent +ProfitIsCalculatedWith=Le bénéfice est calculé à l'aide de diff --git a/htdocs/langs/fr_FR/receiptprinter.lang b/htdocs/langs/fr_FR/receiptprinter.lang index a092201b65b..c3e78ef9489 100644 --- a/htdocs/langs/fr_FR/receiptprinter.lang +++ b/htdocs/langs/fr_FR/receiptprinter.lang @@ -92,4 +92,4 @@ DOL_VALUE_VENDOR_LASTNAME=Nom du vendeur DOL_VALUE_VENDOR_FIRSTNAME=Prénom du vendeur DOL_VALUE_VENDOR_MAIL=Email du vendeur DOL_VALUE_CUSTOMER_POINTS=Points client -DOL_VALUE_OBJECT_POINTS=Object points +DOL_VALUE_OBJECT_POINTS=Points objet diff --git a/htdocs/langs/fr_FR/receptions.lang b/htdocs/langs/fr_FR/receptions.lang index d98a057bb86..498e02786cc 100644 --- a/htdocs/langs/fr_FR/receptions.lang +++ b/htdocs/langs/fr_FR/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Quantité de produit déjà reçu ValidateOrderFirstBeforeReception=Vous devez d'abord valider la commande avant de pouvoir faire des réceptions. ReceptionsNumberingModules=Module de numérotation pour les réceptions ReceptionsReceiptModel=Modèles de document pour les réceptions +NoMorePredefinedProductToDispatch=Plus de produits prédéfinis à expédier + diff --git a/htdocs/langs/fr_FR/stocks.lang b/htdocs/langs/fr_FR/stocks.lang index e8124d06935..23581921e00 100644 --- a/htdocs/langs/fr_FR/stocks.lang +++ b/htdocs/langs/fr_FR/stocks.lang @@ -56,13 +56,13 @@ PMPValueShort=PMP 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égles pour entrepôts -WarehouseAskWarehouseDuringOrder=Affecter un entrepôt sur les commandes -UserDefaultWarehouse=Affecter un entrepôt par default sur les utilisateurs -DefaultWarehouseActive=Activation entrepot par default -MainDefaultWarehouse=Entrepôt par default -MainDefaultWarehouseUser=Utiliser l'entrepôt de l'utilisateur par default -MainDefaultWarehouseUserDesc=/!\ En activant cette option l'or de la création d'un article, l'entrepôt affecté à l'utilisateur sera défini sur celui-ci. Si aucun entrepôt n'est défini sur l'utilisateur, c'est l'entrepôt par défaut qui est défini. +RuleForWarehouse=Règle pour les entrepôts +WarehouseAskWarehouseDuringOrder=Définir un entrepôt sur les commandes de vente +UserDefaultWarehouse=Créer un entrepôt sur les utilisateurs +DefaultWarehouseActive=Entrepôt par défaut actif +MainDefaultWarehouse=Entrepôt par défaut +MainDefaultWarehouseUser=Utiliser des entrepôts propres à chaque utilisateur +MainDefaultWarehouseUserDesc=En activant cette option, au moment de la création d’un utilisateur, l’entrepôt assigné à l’utilisateur sera défini sur celui-ci. Si aucun entrepôt n’est défini sur l’utilisateur, l’entrepôt par défaut est défini. IndependantSubProductStock=Le stock du produit et le stock des sous-produits sont indépendant QtyDispatched=Quantité ventilée QtyDispatchedShort=Qté ventilée @@ -130,6 +130,7 @@ WarehouseForStockDecrease=L'entrepôt %s sera utilisé pour la décrémen WarehouseForStockIncrease=L'entrepôt %s sera utilisé pour l'incrémentation du stock ForThisWarehouse=Pour cet entrepôt ReplenishmentStatusDesc=Ceci est une liste de tous les produits avec un stock inférieur au stock souhaité (ou inférieure à la valeur d'alerte si la case "alerte uniquement" est cochée). En sélectionnant la ligne, vous pouvez créer les commandes fournisseurs pour compléter la différence. +ReplenishmentStatusDescPerWarehouse=Si vous souhaitez un réapprovisionnement en fonction de la quantité désirée définie par entrepôt, vous devez ajouter un filtre sur l’entrepôt. ReplenishmentOrdersDesc=Ceci est une liste de toutes les commandes fournisseurs ouvertes comportant des produits prédéfinis. Seules les commandes ouvertes avec des produits prédéfinis, donc les commandes qui peuvent affecter les stocks, sont visibles ici. Replenishments=Réapprovisionnement NbOfProductBeforePeriod=Quantité du produit %s en stock avant la période sélectionnée (< %s) @@ -225,4 +226,4 @@ InventoryForASpecificWarehouse=Inventaire pour un entrepôt spécifique InventoryForASpecificProduct=Inventaire pour un produit spécifique StockIsRequiredToChooseWhichLotToUse=Le module Stock est requis pour choisir une lot ForceTo=Forcer à -AlwaysShowFullArbo=Toujours afficher l'arborescence complète dans le lien vers la fiche \ No newline at end of file +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) diff --git a/htdocs/langs/fr_FR/ticket.lang b/htdocs/langs/fr_FR/ticket.lang index 370fdaa1c21..8f007c8adc4 100644 --- a/htdocs/langs/fr_FR/ticket.lang +++ b/htdocs/langs/fr_FR/ticket.lang @@ -130,10 +130,10 @@ TicketNumberingModules=Module de numérotation des tickets TicketNotifyTiersAtCreation=Notifier le tiers à la création TicketGroup=Groupe TicketsDisableCustomerEmail=Toujours désactiver les courriels lorsqu'un ticket est créé depuis l'interface publique -TicketsPublicNotificationNewMessage=Envoi d'e-mails lorsqu'un nouveau message est ajouté -TicketsPublicNotificationNewMessageHelp=Envoi d'e-mails lorsqu'un nouveau message est ajouté depuis l'interface public (à l'utilisateur assigné ou à l'e-mail de notification à (nouveaux message) et/ou l'e-mail de notification à) -TicketPublicNotificationNewMessageDefaultEmail=E-mail de notification à (nouveaux message) -TicketPublicNotificationNewMessageDefaultEmailHelp=Envoyer des notifications de nouveaux message par e-mail à cette adresse si aucun utilisateur n'a été affecté au ticket ou qu'il n'a pas d'e-mail. +TicketsPublicNotificationNewMessage=Envoyer un (des) courriel (s) lorsqu’un nouveau message est ajouté +TicketsPublicNotificationNewMessageHelp=Envoyer un (des) courriel (s) lorsqu’un nouveau message est ajouté à partir de l’interface publique (à l’utilisateur désigné ou au courriel de notification à (mise à jour) et/ou au courriel de notification à) +TicketPublicNotificationNewMessageDefaultEmail=Avis envoyés par courriel à (mise à jour) +TicketPublicNotificationNewMessageDefaultEmailHelp=Envoyez un nouveau message à cette adresse si le ticket n’a pas d’utilisateur assigné ou si l’utilisateur n’a pas d’email. # # Index & list page # @@ -258,7 +258,7 @@ TicketPublicDesc=Vous pouvez créer un ticket ou consulter à partir d'un ID de YourTicketSuccessfullySaved=Le ticket a été enregistré avec succès MesgInfosPublicTicketCreatedWithTrackId=Un nouveau ticket a été créé avec l'ID %s et la référence %s. PleaseRememberThisId=Merci de conserver le code de suivi du ticket, il vous sera peut-être nécessaire ultérieurement -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Confirmation de création de ticket - Réf %s(ID publique tu ticket %s) TicketNewEmailSubjectCustomer=Nouveau ticket TicketNewEmailBody=Ceci est un message automatique pour confirmer l'enregistrement de votre ticket. TicketNewEmailBodyCustomer=Ceci est un email automatique pour confirmer qu'un nouveau ticket vient d'être créé dans votre compte. @@ -277,7 +277,7 @@ Subject=Sujet ViewTicket=Voir le ticket ViewMyTicketList=Voir la liste de mes tickets ErrorEmailMustExistToCreateTicket=Erreur: adresse email introuvable dans notre base de données -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailSubjectAdmin=Nouveau ticket créé - Réf %s(ID publique du ticket %s) TicketNewEmailBodyAdmin=

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

SeeThisTicketIntomanagementInterface=Voir ticket dans l'interface de gestion TicketPublicInterfaceForbidden=L'interface publique pour les tickets n'a pas été activée diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang index f24b01e192a..b7424c04d4c 100644 --- a/htdocs/langs/fr_FR/website.lang +++ b/htdocs/langs/fr_FR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Fichier robot (robots.txt) WEBSITE_HTACCESS=Fichier .htaccess du site web WEBSITE_MANIFEST_JSON=Fichier manifest.json de site Web WEBSITE_README=Fichier README.md +WEBSITE_KEYWORDSDesc=Utiliser une virgule pour séparer les valeurs EnterHereLicenseInformation=Entrez ici les métadonnées ou les informations de licence pour créer un fichier README.md. Si vous distribuez votre site Web en tant que modèle, le fichier sera inclus dans le package. HtmlHeaderPage=En-tête HTML (spécifique pour la page uniquement) PageNameAliasHelp=Nom ou alias de la page.
Cet alias est également utilisé pour forger une URL SEO lorsque le site Web est exécuté à partir d'un hôte virtuel d'un serveur Web (comme Apache, Nginx, ...). Utilisez le bouton "%s" pour modifier cet alias. @@ -57,7 +58,7 @@ NoPageYet=Pas de page pour l'instant YouCanCreatePageOrImportTemplate=Vous pouvez créer une nouvelle page ou importer un modèle de site Web complet. SyntaxHelp=Aide sur quelques astuces spécifiques de syntaxe YouCanEditHtmlSourceckeditor=Vous pouvez éditer le code source en activant l'éditeur HTML avec le bouton "Source". -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Vous pouvez inclure du code PHP dans cette source en utilisant les balises <?php ?>. Les variables globales suivantes sont disponibles: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

Vous pouvez également inclure le contenu d'une autre page / conteneur avec la syntaxe suivante:
<?php includeContainer ('alias_of_container_to_include'); ?>

Vous pouvez créer une redirection vers une autre page / conteneur avec la syntaxe suivante (Remarque: ne pas afficher de contenu avant une redirection):
<?php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

Pour ajouter un lien vers une autre page, utilisez la syntaxe:
<a href="alias_of_page_to_link_to.php">mylink<a>

Pour inclure un lien pour télécharger un fichier stocké dans le répertoire des documents , utilisez l'encapsuleur document.php :
Exemple, pour un fichier dans documents/ecm (besoin d'être loggué), la syntaxe est:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
Pour un fichier dans des documents/medias (répertoire ouvert pour accès public), la syntaxe est:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
Pour un fichier partagé avec un lien de partage (accès ouvert en utilisant la clé de partage du fichier), la syntaxe est la suivante:
<a href="/document.php?hashp=publicsharekeyoffile">

Pour inclure une image stockée dans le répertoire documents, utilisez le wrapper viewimage.php :
Exemple, pour une image dans des documents/medias (répertoire ouvert), la syntaxe est:
<img src = "/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

Plus d'exemples de code HTML ou dynamique sont disponibles sur la documentation du wiki
. ClonePage=Cloner la page/container CloneSite=Cloner le site SiteAdded=Site web ajouté @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode 'exécution dynamique' est %s GlobalCSSorJS=Fichier CSS/JS/Header global du site Web BackToHomePage=Retour à la page d'accueil... TranslationLinks=Liens de traduction -YouTryToAccessToAFileThatIsNotAWebsitePage=Vous tentez d'accéder à une page qui n'est pas une page du site web +YouTryToAccessToAFileThatIsNotAWebsitePage=ou essayer d’accéder à une page qui n’est pas disponible.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Pour les bonnes pratiques de référencement, utilisez un texte de 5 à 70 caractères MainLanguage=Langage principal OtherLanguages=Autres langues @@ -128,3 +129,6 @@ UseManifest=Fournir un fichier manifest.json PublicAuthorAlias=Alias publique de l'auteur AvailableLanguagesAreDefinedIntoWebsiteProperties=Les langues disponibles sont définies dans les propriétés du site Web ReplacementDoneInXPages=Remplacement effectué dans %s pages ou des conteneurs +RSSFeed=Flux RSS +RSSFeedDesc=Vous pouvez obtenir un flux RSS des derniers articles de type 'blogpost' en utilisant cette URL +PagesRegenerated=%s page(s)/conteneur(s) régénéré(s) diff --git a/htdocs/langs/fr_FR/withdrawals.lang b/htdocs/langs/fr_FR/withdrawals.lang index 468cdd8b9f3..9f2ac2aa517 100644 --- a/htdocs/langs/fr_FR/withdrawals.lang +++ b/htdocs/langs/fr_FR/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Espace Ordres de prélèvement -SuppliersStandingOrdersArea=Espace ordre de virements +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Ordres de prélèvement StandingOrderPayment=Ordre de prélèvement NewStandingOrder=Nouveau prélèvement +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=À traiter +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Bons de prélèvements WithdrawalReceipt=Bon de prélèvement +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Les %s derniers bons de prélèvements +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Lignes de prélèvements -RequestStandingOrderToTreat=Demandes de prélèvements à traiter -RequestStandingOrderTreated=Demandes de prélèvements traitées +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Fonction non disponible. Le statut du bon de prélèvement doit être mis 'à créditer' avant d'effectuer un rejet sur des lignes spécifiques. -NbOfInvoiceToWithdraw=Nombre de factures qualifiées en attente de prélèvement +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Nombre de factures en attente de prélèvement pour les clients ayant des informations bancaires définies +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Factures en attente de prélèvement +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Somme à prélever -WithdrawsRefused=Prélèvements rejetés -NoInvoiceToWithdraw=Aucune facture client ouverte avec des 'Demandes de prélèvement' n'est en attente. Rendez vous sur l'onglet '%s' sur la fiche facture pour faire une demande. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Aucune facture fournisseur avec des demandes de virement ouvertes n'est en attente. Allez sur l'onglet '%s' sur la fiche facture pour faire une demande. ResponsibleUser=Utilisateur responsable WithdrawalsSetup=Configuration des prélèvements +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Statistiques des prélèvements -WithdrawRejectStatistics=Statistiques des rejets de prélèvements +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejets LastWithdrawalReceipt=Les %s derniers bons de prélèvements MakeWithdrawRequest=Faire une demande de prélèvement WithdrawRequestsDone=%s demandes de prélèvements enregistrées @@ -34,7 +50,9 @@ TransMetod=Méthode de transmission Send=Envoyer Lines=Lignes StandingOrderReject=Émettre un rejet +WithdrawsRefused=Prélèvements rejetés WithdrawalRefused=Rejet de prélèvement +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Êtes-vous sûr de vouloir saisir un rejet de prélèvement pour la société RefusedData=Date du rejet RefusedReason=Motif du rejet @@ -58,6 +76,8 @@ StatusMotif8=Autre motif CreateForSepaFRST=Créer fichier de prélèvement (SEPA FRST) CreateForSepaRCUR=Créer fichier de prélèvement (SEPA RCUR) CreateAll=Créer le fichier de prélèvement (tout) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Seulement guichet CreateBanque=Seulement banque OrderWaiting=En attente de traitement @@ -67,6 +87,7 @@ NumeroNationalEmetter=Numéro National Émetteur WithBankUsingRIB=Pour les comptes bancaires utilisant le RIB WithBankUsingBANBIC=Pour les comptes bancaires utilisant le code BAN/BIC/SWIFT BankToReceiveWithdraw=Compte bancaire pour recevoir les prélèvements +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Crédité le WithdrawalFileNotCapable=Impossible de générer le fichier de reçu des prélèvement pour votre pays %s (Votre pays n'est pas supporté) ShowWithdraw=Afficher ordre de prélèvement @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Toutefois, si la facture a au moins u DoStandingOrdersBeforePayments=Cet onglet vous permet de demander un prélèvement. Une fois la demande faite, allez dans le menu Banque->Prélèvement pour gérer l'ordre de prélèvement. Lorsque l'ordre de paiement est fermé, le paiement sur la facture sera automatiquement enregistrée, et la facture fermée si le reste à payer est nul. WithdrawalFile=Fichier de prélèvement SetToStatusSent=Mettre au statut "Fichier envoyé" -ThisWillAlsoAddPaymentOnInvoice=Cette action enregistrera les règlements des factures et les classera au statut "Payé" si le solde est nul +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistiques par statut des lignes -RUM=Référence de Mandat Unique (RUM) +RUM=RUM DateRUM=Date de signature du mandat RUMLong=Référence Unique de Mandat RUMWillBeGenerated=Si vide, le numéro de RUM sera généré une fois les informations de compte bancaire enregistrées @@ -102,7 +123,7 @@ AmountRequested=Montant réclamé SEPARCUR=SEPA RCUR SEPAFRST=SEPA FRST ExecutionDate=Date d'éxecution -CreateForSepa=Crée fichier de prélèvement automatique +CreateForSepa=Créer fichier de prélèvement automatique ICS=Identifiant du créancier CI END_TO_END=Balise XML SEPA "EndToEndId" - Identifiant unique attribué par transaction USTRD=Balise XML SEPA "Non structurée" diff --git a/htdocs/langs/fr_GA/accountancy.lang b/htdocs/langs/fr_GA/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/fr_GA/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/fr_GA/admin.lang b/htdocs/langs/fr_GA/admin.lang index 27c312f77d7..03864da2fa4 100644 --- a/htdocs/langs/fr_GA/admin.lang +++ b/htdocs/langs/fr_GA/admin.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - admin -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter -Module56Name=Telephony -Module56Desc=Telephony integration +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. +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. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_GA/main.lang b/htdocs/langs/fr_GA/main.lang index 2e691473326..0f9be27b22f 100644 --- a/htdocs/langs/fr_GA/main.lang +++ b/htdocs/langs/fr_GA/main.lang @@ -19,3 +19,4 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +EmptySearchString=Enter non empty search criterias diff --git a/htdocs/langs/fr_GA/modulebuilder.lang b/htdocs/langs/fr_GA/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/fr_GA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/fr_GA/projects.lang b/htdocs/langs/fr_GA/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/fr_GA/projects.lang +++ b/htdocs/langs/fr_GA/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/fr_GA/website.lang b/htdocs/langs/fr_GA/website.lang new file mode 100644 index 00000000000..ecfa4514baf --- /dev/null +++ b/htdocs/langs/fr_GA/website.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - website +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

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

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

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

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

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

More examples of HTML or dynamic code available on the wiki documentation
. +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang index 27f6d9f08b9..3ab00432cd1 100644 --- a/htdocs/langs/gl_ES/accountancy.lang +++ b/htdocs/langs/gl_ES/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Os seguintes pasos deben facerse para aforrar t AccountancyAreaDescActionFreq=As seguintes accións execútanse normalmente cada mes, semana ou día en empresas moi grandes... AccountancyAreaDescJournalSetup=PASO %s: Cree ou mire o contido da sua listaxe de diarios dende o menú %s -AccountancyAreaDescChartModel=PASO %s: Crea un modelo do plan xeral contable dende o menú %s -AccountancyAreaDescChart=PASO %s: Crear ou mirar o contido do seu plan xeral contable dende o menú %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=PASO %s: Defina as contas contables para cada tasa de IVE. Para iso, use a entrada do menú %s. AccountancyAreaDescDefault=PASO %s: Defina as contas contables por defecto. Para iso, use a entrada do menú %s. diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang index 2ac9627eb55..1db2e1324f7 100644 --- a/htdocs/langs/gl_ES/admin.lang +++ b/htdocs/langs/gl_ES/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Próximo valor (facturas) NextValueForCreditNotes=Próximo valor (abonos) NextValueForDeposit=Próximo valor (anticipos) NextValueForReplacements=Próximo valor (rectificativas) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Nota: Ningunha limitación está configurada no seu servidor PHP MaxSizeForUploadedFiles=Tamaño máximo dos ficheiros a subir (0 para desactivar a subida) UseCaptchaCode=Utilización de código gráfico (CAPTCHA) na páxina de inicio de sesión @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Novo +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible coa versión %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novidade AchatTelechargement=Compra/Descarga GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contratos/Suscricións Module54Desc=Xestión de contratos (servizos ou suscripcións recurrentes) Module55Name=Códigos de barras Module55Desc=Xestión dos códigos de barras -Module56Name=Telefonía -Module56Desc=Integración da telefonía +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Domiciliacións bancarias Module57Desc=Xestión de domiciliacións. Tamén inclue xeración de ficheiro SEPA para países Europeos. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Terceiros MailToMember=Membros MailToUser=Usuarios MailToProject=Páxina proxectos +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/gl_ES/agenda.lang b/htdocs/langs/gl_ES/agenda.lang index 6c845e7be1b..67ca4fb1b3a 100644 --- a/htdocs/langs/gl_ES/agenda.lang +++ b/htdocs/langs/gl_ES/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Prantillas de documentos para eventos DateActionStart=Data de inicio @@ -152,3 +154,6 @@ EveryMonth=Cada mes DayOfMonth=Día do mes DayOfWeek=Día da semana DateStartPlusOne=Data inicio +1 hora +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/gl_ES/banks.lang b/htdocs/langs/gl_ES/banks.lang index b9198633c7b..a60bdfe0768 100644 --- a/htdocs/langs/gl_ES/banks.lang +++ b/htdocs/langs/gl_ES/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT válido SwiftVNotalid=BIC/SWIFT non válido IbanValid=IBAN válido IbanNotValid=IBAN non válido -StandingOrders=Domiciliacións +StandingOrders=Direct debit orders StandingOrder=Domiciliación +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Extracto da conta AccountStatementShort=Extracto AccountStatements=Extractos da conta diff --git a/htdocs/langs/gl_ES/bills.lang b/htdocs/langs/gl_ES/bills.lang index 26d835196c8..55ef0ce7ff2 100644 --- a/htdocs/langs/gl_ES/bills.lang +++ b/htdocs/langs/gl_ES/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Desconto SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Domiciliación NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Factura eliminada BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/gl_ES/cashdesk.lang b/htdocs/langs/gl_ES/cashdesk.lang index 3c4236bf89f..cc7ed7cd35b 100644 --- a/htdocs/langs/gl_ES/cashdesk.lang +++ b/htdocs/langs/gl_ES/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/gl_ES/categories.lang b/htdocs/langs/gl_ES/categories.lang index 679bd032588..b14c623d2f1 100644 --- a/htdocs/langs/gl_ES/categories.lang +++ b/htdocs/langs/gl_ES/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/gl_ES/companies.lang b/htdocs/langs/gl_ES/companies.lang index c61f543ab32..1868b230d63 100644 --- a/htdocs/langs/gl_ES/companies.lang +++ b/htdocs/langs/gl_ES/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Área de prospección IdThirdParty=ID terceiro IdCompany=Id empresa IdContact=Id contacto -Contacts=Contactos/Enderezos ThirdPartyContacts=Contactos terceiros ThirdPartyContact=Contacto terceiro/enderezo Company=Empresa @@ -298,7 +297,8 @@ AddContact=Crear contacto AddContactAddress=Crear contacto/enderezo EditContact=Editar contacto EditContactAddress=Editar contacto/enderezo -Contact=Contacto +Contact=Contact/Address +Contacts=Contactos/Enderezos ContactId=Id contacto ContactsAddresses=Contactos/Enderezos FromContactName=Nome: @@ -425,7 +425,7 @@ ListSuppliersShort=Listaxe de provedores ListProspectsShort=Listaxe de clientes potenciais ListCustomersShort=Listaxe de clientes ThirdPartiesArea=Área de Terceiros/Contactos -LastModifiedThirdParties=Últimos %s terceiros modificados +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total de terceiros únicos InActivity=Activo ActivityCeased=Pechada diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/gl_ES/errors.lang +++ b/htdocs/langs/gl_ES/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/gl_ES/hrm.lang b/htdocs/langs/gl_ES/hrm.lang index 1417a11698a..2ea2d9367d8 100644 --- a/htdocs/langs/gl_ES/hrm.lang +++ b/htdocs/langs/gl_ES/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Empregados Employee=Employee diff --git a/htdocs/langs/gl_ES/install.lang b/htdocs/langs/gl_ES/install.lang index 1b822223782..665d97670a0 100644 --- a/htdocs/langs/gl_ES/install.lang +++ b/htdocs/langs/gl_ES/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang index 1370106591b..7ecf9472cb3 100644 --- a/htdocs/langs/gl_ES/main.lang +++ b/htdocs/langs/gl_ES/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Sen prantilla dispoñible para este tipo de e-mail AvailableVariables=Variables de substitución dispoñibles NoTranslation=Sen tradución Translation=Tradución -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Non atopáronse rexistros NoRecordDeleted=Non foi eliminado o rexistro NotEnoughDataYet=Non hai suficintes datos @@ -187,6 +187,8 @@ ShowCardHere=Ver a ficha Search=Procurar SearchOf=Procura SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Validar Approve=Aprobar Disapprove=Desaprobar @@ -664,6 +666,7 @@ Owner=Propietario FollowingConstantsWillBeSubstituted=As seguintes constantes serán substituidas polo seu valor correspondente. Refresh=Refrescar BackToList=Voltar á listaxe +BackToTree=Back to tree GoBack=Voltar atrás CanBeModifiedIfOk=Pode modificarse se é valido CanBeModifiedIfKo=Pode modificarse se non é valido @@ -840,6 +843,7 @@ Sincerely=Atentamente ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Eliminación de liña ConfirmDeleteLine=¿Está certo de querer eliminar esta liña? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Sen PDF dispoñibles para a xeración de documentos entre os rexistros seleccionados TooManyRecordForMassAction=Demasiados rexistros seleccionados para a acción masiva. A acción está restrinxida a unha listaxe de %s rexistros. NoRecordSelected=Sen rexistros seleccionados @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/gl_ES/modulebuilder.lang b/htdocs/langs/gl_ES/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/gl_ES/modulebuilder.lang +++ b/htdocs/langs/gl_ES/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/gl_ES/mrp.lang b/htdocs/langs/gl_ES/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/gl_ES/mrp.lang +++ b/htdocs/langs/gl_ES/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/gl_ES/other.lang b/htdocs/langs/gl_ES/other.lang index 6dcdf5749a9..78f64e9d891 100644 --- a/htdocs/langs/gl_ES/other.lang +++ b/htdocs/langs/gl_ES/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/gl_ES/products.lang b/htdocs/langs/gl_ES/products.lang index 218207e2737..c8b10dcf490 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 e en compra -LastModifiedProductsAndServices=Últimos %s produtos/servizos modificados +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Últimos %s produtos rexistrados LastRecordedServices=Últimos %s servizos rexistrados CardProduct0=Produto @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Nota (non visible nas facturas, orzamentos...) ServiceLimitedDuration=Se o produto é un servizo con duración limitada : MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/gl_ES/projects.lang b/htdocs/langs/gl_ES/projects.lang index b3f52fd5964..cb1aedb669e 100644 --- a/htdocs/langs/gl_ES/projects.lang +++ b/htdocs/langs/gl_ES/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Fío da tarefa TaskHasChild=A tarefa ten fíos NotOwnerOfProject=Non é dono deste proxecto privado AffectedTo=Asignado a -CantRemoveProject=Este proxecto non pode ser eliminado porque está referenciado por algúns outros obxectoss (facturas, pedidos ou outras). Ver lapela de referencias. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validar proxecto ConfirmValidateProject=¿Está certo de querer validar este proxecto? CloseAProject=Pechar proxecto @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/gl_ES/receptions.lang b/htdocs/langs/gl_ES/receptions.lang index bc33c30d4e1..aa749200b20 100644 --- a/htdocs/langs/gl_ES/receptions.lang +++ b/htdocs/langs/gl_ES/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/gl_ES/stocks.lang b/htdocs/langs/gl_ES/stocks.lang index a8acfdb4045..3be71a68540 100644 --- a/htdocs/langs/gl_ES/stocks.lang +++ b/htdocs/langs/gl_ES/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/gl_ES/ticket.lang b/htdocs/langs/gl_ES/ticket.lang index 1167d2d8c69..1df86ffde9e 100644 --- a/htdocs/langs/gl_ES/ticket.lang +++ b/htdocs/langs/gl_ES/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupo TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/gl_ES/website.lang b/htdocs/langs/gl_ES/website.lang index 1e930afcec1..c7f1c277133 100644 --- a/htdocs/langs/gl_ES/website.lang +++ b/htdocs/langs/gl_ES/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=Fíos RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/gl_ES/withdrawals.lang b/htdocs/langs/gl_ES/withdrawals.lang index 6ecb64032c0..dc854b8fe54 100644 --- a/htdocs/langs/gl_ES/withdrawals.lang +++ b/htdocs/langs/gl_ES/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=A procesar +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Domiciliación +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Devolucións LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/he_IL/accountancy.lang +++ b/htdocs/langs/he_IL/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 8285f39c5df..f691fcf80b6 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=הערך הבא (חשבוניות) NextValueForCreditNotes=הערך הבא (הערות אשראי) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=הערה: אין גבול מוגדר בתצורת שלך PHP MaxSizeForUploadedFiles=הגודל המקסימלי של קבצים שאפשר להעלות (0 לאסור על כל ההעלאה) UseCaptchaCode=השתמש בקוד גרפי (CAPTCHA) בדף הכניסה @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, במקום השוק הרשמי של מודולים Dolibarr ERP / CRM חיצוניות -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=ברקודים Module55Desc=ברקוד של ההנהלה -Module56Name=טלפוניה -Module56Desc=שילוב טלפוניה +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=כדי להפעיל מודולים, ללכת על שטח ההתקנה (ראשי-> התקנה-> Modules). SessionTimeOut=זמן לפגישה 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. TriggersAvailable=זמין טריגרים TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=גורמים בקובץ זה אינם זמינים על ידי הסיומת-NoRun בשמם. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=חזור הסיסמה שנוצר על פי אלגוריתם Dolibarr פנימי: 8 תווים המכילים מספרים ותווים משותפים באותיות קטנות. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=צדדים שלישיים MailToMember=משתמשים MailToUser=משתמשים MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/he_IL/agenda.lang b/htdocs/langs/he_IL/agenda.lang index 9c73afa6ce6..11343a30ce2 100644 --- a/htdocs/langs/he_IL/agenda.lang +++ b/htdocs/langs/he_IL/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/he_IL/banks.lang +++ b/htdocs/langs/he_IL/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index 643972c94a5..0043018928c 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/he_IL/cashdesk.lang b/htdocs/langs/he_IL/cashdesk.lang index d1fd7b33150..a192abf31f0 100644 --- a/htdocs/langs/he_IL/cashdesk.lang +++ b/htdocs/langs/he_IL/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/he_IL/categories.lang b/htdocs/langs/he_IL/categories.lang index f3d3c7af79a..0115a1a5dca 100644 --- a/htdocs/langs/he_IL/categories.lang +++ b/htdocs/langs/he_IL/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang index 26a5eb3958e..673e594c9bc 100644 --- a/htdocs/langs/he_IL/companies.lang +++ b/htdocs/langs/he_IL/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=חברה @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/he_IL/errors.lang +++ b/htdocs/langs/he_IL/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/he_IL/hrm.lang b/htdocs/langs/he_IL/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/he_IL/hrm.lang +++ b/htdocs/langs/he_IL/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/he_IL/install.lang b/htdocs/langs/he_IL/install.lang index 42f8f5149de..03d8c971ae7 100644 --- a/htdocs/langs/he_IL/install.lang +++ b/htdocs/langs/he_IL/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index caa57ce5e5a..1f4a2f5ddfd 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=מחק את השורה ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=משתמשים SearchIntoUsers=משתמשים SearchIntoProductsOrServices=Products or services SearchIntoProjects=פרוייקטים +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=התערבויות SearchIntoContracts=חוזים @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/he_IL/modulebuilder.lang +++ b/htdocs/langs/he_IL/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/he_IL/mrp.lang b/htdocs/langs/he_IL/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/he_IL/mrp.lang +++ b/htdocs/langs/he_IL/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 580d977179a..a0cd937e01d 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index f883b0823e1..be647aaf507 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index 2eb71eb7ff0..3704dfe7dab 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/he_IL/receptions.lang b/htdocs/langs/he_IL/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/he_IL/receptions.lang +++ b/htdocs/langs/he_IL/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang index 8e21535acad..f9c31c88070 100644 --- a/htdocs/langs/he_IL/stocks.lang +++ b/htdocs/langs/he_IL/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/he_IL/ticket.lang b/htdocs/langs/he_IL/ticket.lang index 9d22d9eabd4..dde307a6323 100644 --- a/htdocs/langs/he_IL/ticket.lang +++ b/htdocs/langs/he_IL/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/he_IL/website.lang b/htdocs/langs/he_IL/website.lang index bce2a09fb03..5d9d8209870 100644 --- a/htdocs/langs/he_IL/website.lang +++ b/htdocs/langs/he_IL/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=עדכוני RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/he_IL/withdrawals.lang b/htdocs/langs/he_IL/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/he_IL/withdrawals.lang +++ b/htdocs/langs/he_IL/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/hi_IN/accountancy.lang b/htdocs/langs/hi_IN/accountancy.lang index cf5c727024d..cc6321f405b 100644 --- a/htdocs/langs/hi_IN/accountancy.lang +++ b/htdocs/langs/hi_IN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/hi_IN/admin.lang b/htdocs/langs/hi_IN/admin.lang index 5b67c600bd5..113eb428a24 100644 --- a/htdocs/langs/hi_IN/admin.lang +++ b/htdocs/langs/hi_IN/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/hi_IN/agenda.lang b/htdocs/langs/hi_IN/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/hi_IN/agenda.lang +++ b/htdocs/langs/hi_IN/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/hi_IN/banks.lang b/htdocs/langs/hi_IN/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/hi_IN/banks.lang +++ b/htdocs/langs/hi_IN/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/hi_IN/bills.lang b/htdocs/langs/hi_IN/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/hi_IN/bills.lang +++ b/htdocs/langs/hi_IN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/hi_IN/cashdesk.lang b/htdocs/langs/hi_IN/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/hi_IN/cashdesk.lang +++ b/htdocs/langs/hi_IN/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/hi_IN/categories.lang b/htdocs/langs/hi_IN/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/hi_IN/categories.lang +++ b/htdocs/langs/hi_IN/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/hi_IN/companies.lang b/htdocs/langs/hi_IN/companies.lang index e200fd8adb8..af8988fd3ef 100644 --- a/htdocs/langs/hi_IN/companies.lang +++ b/htdocs/langs/hi_IN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/hi_IN/errors.lang b/htdocs/langs/hi_IN/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/hi_IN/errors.lang +++ b/htdocs/langs/hi_IN/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/hi_IN/hrm.lang b/htdocs/langs/hi_IN/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/hi_IN/hrm.lang +++ b/htdocs/langs/hi_IN/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/hi_IN/install.lang b/htdocs/langs/hi_IN/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/hi_IN/install.lang +++ b/htdocs/langs/hi_IN/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/hi_IN/main.lang b/htdocs/langs/hi_IN/main.lang index 797698ef70e..8a816f7f671 100644 --- a/htdocs/langs/hi_IN/main.lang +++ b/htdocs/langs/hi_IN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/hi_IN/modulebuilder.lang b/htdocs/langs/hi_IN/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/hi_IN/modulebuilder.lang +++ b/htdocs/langs/hi_IN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/hi_IN/mrp.lang b/htdocs/langs/hi_IN/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/hi_IN/mrp.lang +++ b/htdocs/langs/hi_IN/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/hi_IN/other.lang b/htdocs/langs/hi_IN/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/hi_IN/other.lang +++ b/htdocs/langs/hi_IN/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/hi_IN/products.lang b/htdocs/langs/hi_IN/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/hi_IN/projects.lang b/htdocs/langs/hi_IN/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/hi_IN/projects.lang +++ b/htdocs/langs/hi_IN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/hi_IN/receptions.lang b/htdocs/langs/hi_IN/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/hi_IN/receptions.lang +++ b/htdocs/langs/hi_IN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/hi_IN/stocks.lang b/htdocs/langs/hi_IN/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/hi_IN/stocks.lang +++ b/htdocs/langs/hi_IN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/hi_IN/ticket.lang b/htdocs/langs/hi_IN/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/hi_IN/ticket.lang +++ b/htdocs/langs/hi_IN/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/hi_IN/website.lang b/htdocs/langs/hi_IN/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/hi_IN/website.lang +++ b/htdocs/langs/hi_IN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/hi_IN/withdrawals.lang b/htdocs/langs/hi_IN/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/hi_IN/withdrawals.lang +++ b/htdocs/langs/hi_IN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang index 0838fa32941..f0a83905f13 100644 --- a/htdocs/langs/hr_HR/accountancy.lang +++ b/htdocs/langs/hr_HR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. @@ -297,7 +297,7 @@ AccountingJournalType2=Prodaja AccountingJournalType3=Nabava AccountingJournalType4=Banka AccountingJournalType5=Expenses report -AccountingJournalType8=Inventory +AccountingJournalType8=Zalihe AccountingJournalType9=Has-new ErrorAccountingJournalIsAlreadyUse=This journal is already use AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 5555183e943..5bff9df8eea 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Sljedeća vrijednost (računi) NextValueForCreditNotes=Sljedeća vrijednost (kreditne bilješke) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Sljedeća vrijednost (zamjene) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Napomena: Limit nije podešen u vašoj PHP konfiguraciji MaxSizeForUploadedFiles=Maksimalna veličina datoteka za upload (0 onemogučuje bilokakav upload) UseCaptchaCode=Koristi grafički kod (CAPTCHA) na stranici za prijavu @@ -207,7 +207,7 @@ ModulesMarketPlaces=Nađi vanjske aplikacije/module ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Novo +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStorel, ovlaštena trgovina za Dolibarr ERP/CRM dodatne module -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Osvježi link LinkToTest=Generirana veza za korisnika %s (kliknite na telefonski broj za test) KeepEmptyToUseDefault=Ostavite prazno za zadane vrijednosti +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Postavi kao zadano ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Masovno postavljanje ili promjena barkodova usluga i proizvoda CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Inicijalna vrijednost za sljedećih %s praznih podataka @@ -541,8 +542,8 @@ Module54Name=Ugovori/pretplate Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barkodovi Module55Desc=Upravljanje barkodovima -Module56Name=Telefonija -Module56Desc=Integracija telefonije +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -567,7 +568,7 @@ Module200Name=LDAP Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integracija -Module240Name=Izvozi podataka +Module240Name=Izvoz podataka Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Uvoz podataka Module250Desc=Tool to import data into Dolibarr (with assistance) @@ -1145,6 +1146,7 @@ AvailableModules=Dostupne aplikacije/moduli ToActivateModule=Za aktivaciju modula, idite na podešavanja (Naslovna->Podešavanje->Moduli). SessionTimeOut=Istek za sesije 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Izdanje polja %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Uzmi barkod NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1670,7 +1673,7 @@ AccountancyCodeBuy=Konto nabave ##### Agenda ##### AgendaSetup=Podešavanje modula događaja i agende PasswordTogetVCalExport=Key to authorize export link -PastDelayVCalExport=Nemoj izvoziti događaj stariji od +PastDelayVCalExport=Ne izvoziti događaj stariji od AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view @@ -1844,6 +1847,7 @@ MailToThirdparty=Treće osobe MailToMember=Članovi MailToUser=Korisnici MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Prikaži kao zadano na popisu YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/hr_HR/agenda.lang b/htdocs/langs/hr_HR/agenda.lang index b6c86e0df62..18dcf26aef0 100644 --- a/htdocs/langs/hr_HR/agenda.lang +++ b/htdocs/langs/hr_HR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Ponuda obrisana OrderDeleted=Narudžba obrisana InvoiceDeleted=Račun obrisan +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Datum početka @@ -151,3 +154,6 @@ EveryMonth=Svaki mjesec DayOfMonth=Dan u mjesecu DayOfWeek=Dan u tjednu DateStartPlusOne=Datum početka + 1 sat +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang index eb360d96031..f4a66e6d6c3 100644 --- a/htdocs/langs/hr_HR/banks.lang +++ b/htdocs/langs/hr_HR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Izvod računa AccountStatementShort=Izvod AccountStatements=Izvodi računa diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index e033143aff2..592cda60895 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Ponuđen je popust (za plaćanje prije dospijeća) EscompteOfferedShort=Rabat SendBillRef=Račun %s SendReminderBillRef=Račun %s (podsjetnik) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Nema skica računa NoOtherDraftBills=Nema ostalih skica računa NoDraftInvoices=Nema skica računa @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Račun obrisan BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/hr_HR/cashdesk.lang b/htdocs/langs/hr_HR/cashdesk.lang index efcc63b0adc..119dd759306 100644 --- a/htdocs/langs/hr_HR/cashdesk.lang +++ b/htdocs/langs/hr_HR/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/hr_HR/categories.lang b/htdocs/langs/hr_HR/categories.lang index 4fe640d9e31..f6a9205bc95 100644 --- a/htdocs/langs/hr_HR/categories.lang +++ b/htdocs/langs/hr_HR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Tagovi/kategorije računa ProjectsCategoriesShort=Kategorije projekata UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ova kategorija ne sadrži niti jedan proizvod. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ova kategorija ne sadrži niti jednog kupca. -ThisCategoryHasNoMember=Ova kategorija ne sadrži niti jednog člana. -ThisCategoryHasNoContact=Ova kategorija ne sadrži niti jedan kontakt. -ThisCategoryHasNoAccount=Ova kategorija ne sadrži niti jedan račun -ThisCategoryHasNoProject=Ova kategorija ne sadrži niti jedan projekt. +ThisCategoryHasNoItems=This category does not contain any items. CategId=ID Kategorije CatSupList=List of vendor tags/categories CatCusList=Popis kategorija kupaca/potencijalnih kupaca @@ -92,4 +86,5 @@ ByDefaultInList=Po predefiniranom na listi ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/hr_HR/companies.lang b/htdocs/langs/hr_HR/companies.lang index 7606871ab5c..a88fb5aba85 100644 --- a/htdocs/langs/hr_HR/companies.lang +++ b/htdocs/langs/hr_HR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Mogući kupci IdThirdParty=Oznaka treće osobe IdCompany=Oznaka tvrtke IdContact=Oznaka kontakta -Contacts=Kontakti/Adrese ThirdPartyContacts=Kontakti treće osobe ThirdPartyContact=Kontakt/adresa treće osobe Company=Tvrtka @@ -27,10 +26,10 @@ CompanyName=Naziv tvrtke AliasNames=Alias (komercijala, zaštitni znak, ...) AliasNameShort=Alias Name Companies=Kompanije -CountryIsInEEC=Country is inside the European Economic Community +CountryIsInEEC=Država je unutar Europske Ekonomske Zajednice PriceFormatInCurrentLanguage=Price display format in the current language and currency ThirdPartyName=Naziv treće osobe -ThirdPartyEmail=Third-party email +ThirdPartyEmail=E-pošta treće osobe ThirdParty=Treća osoba ThirdParties=Treće osobe ThirdPartyProspects=Potencijalni kupac @@ -44,8 +43,8 @@ Individual=Privatna osoba ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. ParentCompany=Matična tvrtka Subsidiaries=Podružnice -ReportByMonth=Report by month -ReportByCustomers=Report by customer +ReportByMonth=Izvještaji po mjesecu +ReportByCustomers=Izvještaji po kupcu ReportByQuarter=Izvještaj po stopi CivilityCode=Kod uljudnosti RegisteredOffice=Sjedište @@ -78,10 +77,10 @@ Zip=Poštanski broj Town=Grad Web=Mreža Poste= Pozicija -DefaultLang=Language default -VATIsUsed=Sales tax used +DefaultLang=Osnovni jezik +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=Sales tax is not used +VATIsNotUsed=Porez se ne primjenjuje CopyAddressFromSoc=Copy address from third-party details ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available @@ -298,7 +297,8 @@ AddContact=Izradi kontakt AddContactAddress=Izradi kontakt/adresu EditContact=Uredi kontakt EditContactAddress=Uredi kontakt/adresu -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakti/Adrese ContactId=ID kontakta ContactsAddresses=Kontakti/adrese FromContactName=Ime: @@ -325,7 +325,8 @@ CompanyDeleted=Tvrtka "%s" izbrisana iz baze. ListOfContacts=Popis kontakata/adresa ListOfContactsAddresses=Popis kontakata/adresa ListOfThirdParties=Popis trećih osoba -ShowContact=Prikaži kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Sve(bez filtera) ContactType=Vrsta kontakta ContactForOrders=Kontakt narudžbe @@ -424,7 +425,7 @@ ListSuppliersShort=Popis dobavljača ListProspectsShort=Popis mogućih kupaca ListCustomersShort=Popis kupaca ThirdPartiesArea=Treće osobe/Kontakti -LastModifiedThirdParties=Zadnje %s izmijenjene treće osobe +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Ukupno trećih osoba InActivity=Otvori ActivityCeased=Zatvoren diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang index d6fc3f95da2..9eb38114c1a 100644 --- a/htdocs/langs/hr_HR/errors.lang +++ b/htdocs/langs/hr_HR/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/hr_HR/hrm.lang b/htdocs/langs/hr_HR/hrm.lang index 7bbc9740435..99e3fb53219 100644 --- a/htdocs/langs/hr_HR/hrm.lang +++ b/htdocs/langs/hr_HR/hrm.lang @@ -5,12 +5,13 @@ Establishments=Ustanove Establishment=Ustanova NewEstablishment=Nova ustanova DeleteEstablishment=Obriši ustanovu -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Otvori ustanovu CloseEtablishment=Zatvori ustanovu # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - popis odjela -DictionaryFunction=HRM - popis funkcija +DictionaryFunction=HRM - Job positions # Module Employees=Zaposlenici Employee=Zaposlenik diff --git a/htdocs/langs/hr_HR/install.lang b/htdocs/langs/hr_HR/install.lang index 763892bfb5f..b4c1ef013cb 100644 --- a/htdocs/langs/hr_HR/install.lang +++ b/htdocs/langs/hr_HR/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index 6cdf2638483..6627fe7ea9c 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -19,8 +19,8 @@ FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%b %d, %Y FormatDateText=%B %d, %Y -FormatDateHourShort=%m/%d/%Y %I:%M %p -FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p +FormatDateHourShort=%d/%m/%Y %I:%M %p +FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p DatabaseConnection=Veza s bazom podataka @@ -28,7 +28,7 @@ NoTemplateDefined=Nema predloška za taj tip e-pošte AvailableVariables=Dostupne zamjenske vrijednosti NoTranslation=Bez prijevoda Translation=Prijevod -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Spis nije pronađen NoRecordDeleted=Spis nije izbrisan NotEnoughDataYet=Nedovoljno podataka @@ -97,8 +97,8 @@ PasswordForgotten=Zaboravili ste zaporku? NoAccount=Nema računa? SeeAbove=Vidi iznad HomeArea=Početna stranica -LastConnexion=Last login -PreviousConnexion=Previous login +LastConnexion=Zadnja prijava +PreviousConnexion=Prethodna prijava PreviousValue=Predhodna vrijednost ConnectedOnMultiCompany=Spojeno na okolinu ConnectedSince=Spojeno od @@ -170,11 +170,11 @@ ToValidate=Za ovjeru NotValidated=Nije ovjereno Save=Spremi SaveAs=Spremi kao -SaveAndStay=Save and stay -SaveAndNew=Save and new +SaveAndStay=Spremi i ostani +SaveAndNew=Spremi i novi TestConnection=Provjera veze ToClone=Kloniraj -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Jeste li sigurni da želite kolinirati predmet %s? ConfirmClone=Izaberite podatke koje želite klonirati: NoCloneOptionsSpecified=Podaci za kloniranje nisu izabrani. Of=od @@ -187,11 +187,13 @@ ShowCardHere=Prikaži karticu Search=Pretraži SearchOf=Pretraživanje SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Brzo dodavanje +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valjano Approve=Odobri Disapprove=Ne odobri ReOpen=Ponovo otvori -Upload=Upload +Upload=Podigni ToLink=Poveznica Select=Odaberi Choose=Izaberi @@ -343,8 +345,8 @@ DefaultValues=Početne vrijednosti/filteri/razvrstavanje Price=Cijena PriceCurrency=Cijena (u valuti) UnitPrice=Jedinična cijena -UnitPriceHT=Unit price (excl.) -UnitPriceHTCurrency=Unit price (excl.) (currency) +UnitPriceHT=Jedinična cijena (bez poreza) +UnitPriceHTCurrency=Jedinična cijena (bez poreza) (u valuti) UnitPriceTTC=Jedinična cijena PriceU=Jed. cijena PriceUHT=Jed. cijena @@ -353,8 +355,8 @@ PriceUTTC=J.C. (s porezom) Amount=Iznos AmountInvoice=Iznos računa AmountInvoiced=Zaračunati iznos -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Zaračunati iznos (s porezom) +AmountInvoicedTTC=Zaračunati iznos (bez poreza) AmountPayment=Iznos plaćanja AmountHTShort=Iznos (bez PDV-a) AmountTTCShort=Iznos (s porezom) @@ -378,7 +380,7 @@ PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) Percentage=Postotak Total=Ukupno SubTotal=Sveukupno -TotalHTShort=Total (excl.) +TotalHTShort=Ukupno (bez poreza) TotalHT100Short=Total 100%% (excl.) TotalHTShortCurrency=Total (excl. in currency) TotalTTCShort=Ukupno s PDV-om @@ -426,7 +428,7 @@ Modules=Moduli/Aplikacije Option=Opcija List=Popis FullList=Cijeli popis -FullConversation=Full conversation +FullConversation=Cijeli razgovor Statistics=Statistika OtherStatistics=Ostale statistike Status=Stanje @@ -453,9 +455,9 @@ Accountant=Računovođa ContactsForCompany=Kontakti ove treće osobe ContactsAddressesForCompany=Kontakti/adrese ove treće osobe AddressesForCompany=Adrese ove treće osobe -ActionsOnCompany=Events for this third party -ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract +ActionsOnCompany=Vezani događaji uz ovu treću osobu +ActionsOnContact=Događaji vezani na ovaj kontakt/adresu +ActionsOnContract=Događaji vezani uz ovaj ugovor ActionsOnMember=Događaji vezani uz ovog člana ActionsOnProduct=Radnje vezane uz ovaj proizvod NActionsLate=%s kasni @@ -504,11 +506,11 @@ Reporting=Izvještaji Reportings=Izvještaji Draft=Skica Drafts=Skice -StatusInterInvoiced=Invoiced +StatusInterInvoiced=Zaračunato Validated=Ovjereno Opened=Otvoreno -OpenAll=Open (All) -ClosedAll=Closed (All) +OpenAll=Otvoreno (sve) +ClosedAll=Zatvoreno (sve) New=Novo Discount=Popust Unknown=Nepoznat @@ -530,7 +532,7 @@ None=Niti jedan NoneF=Niti jedan NoneOrSeveral=Niti jedan od nekoliko Late=Kasni -LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. +LateDesc=Stavka se označuje s "Kasni" prema postavkama u izbormiku Postavke -> Upozorenja NoItemLate=Nema zakašnjelih stavaka Photo=Slika Photos=Slike @@ -650,20 +652,21 @@ FeatureNotYetSupported=Mogućnost još nije u upotrebi CloseWindow=Zatvori prozor Response=Odaziv Priority=Prioritet -SendByMail=Send by email +SendByMail=Pošalji e-poštom MailSentBy=E-poštu poslao TextUsedInTheMessageBody=Tijelo e-pošte SendAcknowledgementByMail=Pošalji e-poštu s potvrdom primitka SendMail=Pošalji e-poštu Email=E-pošta NoEMail=Nema e-pošte -AlreadyRead=Already read -NotRead=Not read +AlreadyRead=Već pročitano +NotRead=Nije pročitano NoMobilePhone=Nema mobilnog telefona Owner=Vlasnik FollowingConstantsWillBeSubstituted=Sljedeće konstante bit će zamjenjene s odgovarajućom vrijednošću. Refresh=Osvježi BackToList=Povratak na popis +BackToTree=Back to tree GoBack=Idi nazad CanBeModifiedIfOk=Može se mijenjanti ako je valjana CanBeModifiedIfKo=Može se mijenjanti ako nije valjana @@ -725,7 +728,7 @@ AddFile=Dodaj datoteku FreeZone=Ovaj proizvod/usluga nije predhodno upisan FreeLineOfType=Slobodan upis, vrsta: CloneMainAttributes=Kloniraj predmet sa svim glavnim svojstvima -ReGeneratePDF=Re-generate PDF +ReGeneratePDF=Ponovo izradi PDF PDFMerge=Spoji PDF Merge=Spoji DocumentModelStandardPDF=Običan PDF predložak @@ -768,16 +771,16 @@ LinkToProposal=Poveži s ponudom LinkToOrder=Poveži s narudžbom LinkToInvoice=Poveži s računom LinkToTemplateInvoice=Poveznica na predložak računa -LinkToSupplierOrder=Link to purchase order -LinkToSupplierProposal=Link to vendor proposal -LinkToSupplierInvoice=Link to vendor invoice +LinkToSupplierOrder=Poveznica na narudžbenicu +LinkToSupplierProposal=Poveznica na ponudu dobavljača +LinkToSupplierInvoice=Poveznica na račun dobavljača LinkToContract=Poveži s ugovorom LinkToIntervention=Poveži s zahvatom LinkToTicket=Link to ticket CreateDraft=Izradi skicu SetToDraft=Nazad na skice ClickToEdit=Klikni za uređivanje -ClickToRefresh=Click to refresh +ClickToRefresh=Osvježi EditWithEditor=Obradi s CKEditorom EditWithTextEditor=Obradi s programom za obradu teksta EditHTMLSource=Uredi HTML kod @@ -831,15 +834,16 @@ Gender=Spol Genderman=Muško Genderwoman=Žensko ViewList=Pregled popisa -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt="Gantt" prikaz +ViewKanban="Kanban" prikaz Mandatory=Obavezno Hello=Pozdrav GoodBye=Doviđenja! Sincerely=Srdačan pozdrav! -ConfirmDeleteObject=Are you sure you want to delete this object? +ConfirmDeleteObject=Jeste li sigurni da želite obrisati ovaj predmet? DeleteLine=Obriši stavku ConfirmDeleteLine=Jeste li sigurni da želite obrisati ovu stavku? +ErrorPDFTkOutputFileNotFound=Greška: datoteka nije izrađena. Molim provjerite je li naredba "pdftk" instalirana u mapi uključenoj u $PATH varijablu (samo za linux/unix) ili kontaktirajte administratora. NoPDFAvailableForDocGenAmongChecked=Među spisima nije pronađen ni jedan izrađeni PDF TooManyRecordForMassAction=Odabrano previše podataka za masovnu obradu. Obrada je zabranjena za popis od %s podataka. NoRecordSelected=Ni jedan spis nije izabran @@ -854,10 +858,10 @@ Progress=Napredak ProgressShort=Progr. FrontOffice=Front office BackOffice=Back office -Submit=Submit +Submit=Predaj View=Vidi Export=Izvoz podataka -Exports=Izvozi podataka +Exports=Izvoz podataka ExportFilteredList=Izvoz pročišćenog popisa ExportList=Spis izvoza ExportOptions=Opcije izvoza @@ -882,7 +886,7 @@ ModuleBuilder=Module and Application Builder SetMultiCurrencyCode=Odredi valutu BulkActions=Opsežne radnje ClickToShowHelp=Klikni za prikaz pomoći -WebSite=Website +WebSite=Mrežna stranica WebSites=Mrežne stranice WebSiteAccounts=Website accounts ExpenseReport=Izvještaj troškova @@ -989,19 +993,19 @@ ConfirmMassDraftDeletion=Potvrda masovnog brisanja skica FileSharedViaALink=Datoteka podijeljena putem poveznice SelectAThirdPartyFirst=Prvo izaberite treću osobu... YouAreCurrentlyInSandboxMode=Trenutno ste %s u "sandbox" načinu rada -Inventory=Inventory +Inventory=Zalihe AnalyticCode=Analytic code TMenuMRP=MRP ShowMoreInfos=Show More Infos -NoFilesUploadedYet=Please upload a document first -SeePrivateNote=See private note +NoFilesUploadedYet=Molim prvo učitajte dokument +SeePrivateNote=Vidi privatne bilješke PaymentInformation=Podaci o plaćanju -ValidFrom=Valid from -ValidUntil=Valid until -NoRecordedUsers=No users +ValidFrom=Vrijedi od +ValidUntil=Vrijedi do +NoRecordedUsers=Nema korsinika ToClose=Za zatvaranje ToProcess=Za provedbu -ToApprove=To approve +ToApprove=Za odobrenje GlobalOpenedElemView=Opći pregled NoArticlesFoundForTheKeyword=No article found for the keyword '%s' NoArticlesFoundForTheCategory=No article found for the category @@ -1011,25 +1015,27 @@ ContactDefault_commande=Narudžba kupca ContactDefault_contrat=Ugovor ContactDefault_facture=Račun ContactDefault_fichinter=Zahvat -ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Purchase Order +ContactDefault_invoice_supplier=Račun dobavljača +ContactDefault_order_supplier=Narudžbenica ContactDefault_project=Projekt ContactDefault_project_task=Zadatak ContactDefault_propal=Ponuda -ContactDefault_supplier_proposal=Supplier Proposal +ContactDefault_supplier_proposal=Ponuda dobavljača ContactDefault_ticket=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More -ShowDetails=Show details +More=Više +ShowDetails=Prikaži detalje CustomReports=Custom reports StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis +SelectYourGraphOptionsFirst=Izaberite opcije kako biste izradili grafički prikaz +Measures=Mjere +XAxis="X" os +YAxis="Y" os StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? -ShowOtherLanguages=Show other languages +DeleteFileHeader=Potvrdi brisanje datoteke +DeleteFileText=Jeste li sigurni da želite obrisati ovu datoteku? +ShowOtherLanguages=Prikaži ostale jezike SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/hr_HR/modulebuilder.lang b/htdocs/langs/hr_HR/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/hr_HR/modulebuilder.lang +++ b/htdocs/langs/hr_HR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/hr_HR/mrp.lang b/htdocs/langs/hr_HR/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/hr_HR/mrp.lang +++ b/htdocs/langs/hr_HR/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index eafd337d32b..619abd2a8d4 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index cea95c3fd23..09e94e85e8e 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=Posljednjih %s izmijenjenih proizvoda / usluga +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Zadnja %s pohranjena proizvoda LastRecordedServices=Zadnje %s pohranjene usluge CardProduct0=Proizvod @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Bilješka (ne vidi se na računima, ponudama...) ServiceLimitedDuration=Ako je proizvod usluga ograničenog trajanja: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Broj cijena +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index 66fc8dd3384..da013f1ce58 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Niža razina zadatka TaskHasChild=Zadatak ima nižu razinu NotOwnerOfProject=Nije vlasnik ovog privatnog projekta AffectedTo=Dodjeljeno -CantRemoveProject=Ovaj projekt se ne može maknuti jer je povezan sa drugim objektima (računi, narudžbe ili sl.). Vidite tab Izvora. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Ovjeri projekt ConfirmValidateProject=Jeste li sigurni da želite odobriti ovaj projekt? CloseAProject=Zatvori projekt @@ -265,3 +265,4 @@ NewInvoice=Novi račun OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/hr_HR/receptions.lang b/htdocs/langs/hr_HR/receptions.lang index 6314c2ed24f..9601e374ad9 100644 --- a/htdocs/langs/hr_HR/receptions.lang +++ b/htdocs/langs/hr_HR/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/hr_HR/stocks.lang b/htdocs/langs/hr_HR/stocks.lang index 7bbbff8301f..c1db22e5872 100644 --- a/htdocs/langs/hr_HR/stocks.lang +++ b/htdocs/langs/hr_HR/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PPC EnhancedValueOfWarehouses=Vrijednost skladišta UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Otpremljena količina QtyDispatchedShort=Otpremljena količina @@ -65,7 +72,7 @@ RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note DeStockOnValidateOrder=Decrease real stocks on validation of sales order -DeStockOnShipment=Smanji stvarnu zaligu kod potvrde dostavnice +DeStockOnShipment=Smanji stvarnu zalihu kod potvrde dostavnice DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note ReStockOnValidateOrder=Increase real stocks on purchase order approval @@ -105,12 +112,12 @@ SelectWarehouseForStockDecrease=Odaberite skladište za korištenje smanjenje za SelectWarehouseForStockIncrease=Odaberite skladište za smanjenje zaliha NoStockAction=Nema akcije zaliha DesiredStock=Desired Stock -DesiredStockDesc=Ovaj iznos zalihe će biti vrijednost korištena a popunjavanje zaliha kod mogučnosti popunjavanja. +DesiredStockDesc=Ovaj iznos zalihe bit će korišten za popunjavanje zaliha. StockToBuy=Za naručiti Replenishment=Popunjavanje ReplenishmentOrders=Nadopunjavanje narudžbe VirtualDiffersFromPhysical=Sukladno opcija povečanja/smanjenja zaliha, fizička zaliha i umjetna zaliha (fizički + trenutne narudžbe) mogu se razlikovati -UseVirtualStockByDefault=Koristi umjetnu zalihu, umjesto fizičke zalihe, za mogučnost popunjavanja +UseVirtualStockByDefault=Za nadopunjavanje skladišta koristi virtualno stanje umjesto stvarnog. UseVirtualStock=Koristi umjetnu zalihu UsePhysicalStock=Koristi fizičku zalihu CurentSelectionMode=Trenutno odabrani način @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Skladište %s će biti korišteno za smanjenje WarehouseForStockIncrease=Skladište %s će biti korišteno za povečavanje zalihe ForThisWarehouse=Za ovo skladište ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Popunjavanje NbOfProductBeforePeriod=Količina proizvoda %s na zalihi prije odabranog perioda (< %s) @@ -166,7 +174,7 @@ inventoryCreatePermission=Create new inventory inventoryReadPermission=View inventories inventoryWritePermission=Update inventories inventoryValidatePermission=Validate inventory -inventoryTitle=Inventory +inventoryTitle=Zalihe inventoryListTitle=Inventories inventoryListEmpty=No inventory in progress inventoryCreateDelete=Create/Delete inventory @@ -182,7 +190,7 @@ inventoryMvtStock=By inventory inventoryWarningProductAlreadyExists=This product is already into list SelectCategory=Filter po kategoriji SelectFournisseur=Vendor filter -inventoryOnDate=Inventory +inventoryOnDate=Zalihe INVENTORY_DISABLE_VIRTUAL=Virtual product (kit): do not decrement stock of a child product INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Use the buy price if no last buy price can be found INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/hr_HR/supplier_proposal.lang b/htdocs/langs/hr_HR/supplier_proposal.lang index 9fa8c758d5a..281108d9bb1 100644 --- a/htdocs/langs/hr_HR/supplier_proposal.lang +++ b/htdocs/langs/hr_HR/supplier_proposal.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - supplier_proposal SupplierProposal=Vendor commercial proposals supplier_proposalDESC=Upravljaj zahtjevima za cijene prema dobavljačima -SupplierProposalNew=Novo traženje cijene +SupplierProposalNew=Novi upit CommRequest=Tražena cijena CommRequests=Tražene cijene SearchRequest=Pronađi zahtjev @@ -13,7 +13,7 @@ SupplierProposalArea=Vendor proposals area SupplierProposalShort=Ponude dobavljača SupplierProposals=Ponude dobavljača SupplierProposalsShort=Ponude dobavljača -NewAskPrice=Novo traženje cijene +NewAskPrice=Novi upit ShowSupplierProposal=Prikaži zahtjev AddSupplierProposal=Izradi zahtjev za cijenom SupplierProposalRefFourn=Vendor ref @@ -37,7 +37,7 @@ CreateEmptyAsk=Izradi prazan zahtjev ConfirmCloneAsk=Are you sure you want to clone the price request %s? ConfirmReOpenAsk=Are you sure you want to open back the price request %s? SendAskByMail=Pošalji zahtjev za cijenom poštom -SendAskRef=Slanje zahtjeva za cijenom %s +SendAskRef=Upit %s SupplierProposalCard=Kartica zahtjeva ConfirmDeleteAsk=Are you sure you want to delete this price request %s? ActionsOnSupplierProposal=Događaji na zahtjevu @@ -46,7 +46,7 @@ CommercialAsk=Zahtjev za cijenom DefaultModelSupplierProposalCreate=Izrada osnovnog modela DefaultModelSupplierProposalToBill=Osnovni predložak prilikom zatvaranja zahtjeva (prihvaćeno) DefaultModelSupplierProposalClosed=Osnovni predložak prilikom zatvaranja zahtjeva (odbijeno) -ListOfSupplierProposals=List of vendor proposal requests +ListOfSupplierProposals=Popis upita prema dobavljačima ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project SupplierProposalsToClose=Ponude dobavljača za zatvaranje SupplierProposalsToProcess=Ponude dobavljača za obradu diff --git a/htdocs/langs/hr_HR/ticket.lang b/htdocs/langs/hr_HR/ticket.lang index 04b3814707f..8cb93be17d5 100644 --- a/htdocs/langs/hr_HR/ticket.lang +++ b/htdocs/langs/hr_HR/ticket.lang @@ -60,7 +60,7 @@ OriginEmail=Email source Notify_TICKET_SENTBYMAIL=Send ticket message by email # Status -NotRead=Not read +NotRead=Nije pročitano Read=Read Assigned=Assigned InProgress=U postupku @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupa TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/hr_HR/website.lang b/htdocs/langs/hr_HR/website.lang index b93f725b338..d43c850049b 100644 --- a/htdocs/langs/hr_HR/website.lang +++ b/htdocs/langs/hr_HR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/hr_HR/withdrawals.lang b/htdocs/langs/hr_HR/withdrawals.lang index 06c7880bb11..b2aa3ec83c9 100644 --- a/htdocs/langs/hr_HR/withdrawals.lang +++ b/htdocs/langs/hr_HR/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order +StandingOrderPayment=Bezgotovinski bankovni prijenos NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Za obradu +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Još nije moguće. Status isplate mora biti postavljen na 'kerditirano' prije objave odbitka na određenim stavkama. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Iznos za isplatu -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Odbijanja LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Način prijenosa Send=Pošalji Lines=Stavke StandingOrderReject=Razlog odbijanja +WithdrawsRefused=Direct debit refused WithdrawalRefused=Isplata odbijena +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Jeste li sigurni da želite unjeti otkazivanje isplate za društvo RefusedData=Datum odbijanja RefusedReason=Razlog odbijanja @@ -50,7 +68,7 @@ StatusMotif0=Nedefinirano StatusMotif1=Nedovoljno sredstva StatusMotif2=Zahtjev osporen StatusMotif3=No direct debit payment order -StatusMotif4=Sales Order +StatusMotif4=Narudžbenica StatusMotif5=RIB neupotrebljiv StatusMotif6=Račun bez stanja StatusMotif7=Sudska odluka @@ -58,6 +76,8 @@ StatusMotif8=Ostali razlog CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Samo ured CreateBanque=Samo banka OrderWaiting=Čeka tretman @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nacionalni broj pošiljatelja WithBankUsingRIB=Za bankovne račune koji koriste RIB WithBankUsingBANBIC=Za bankovne račune koji koriste IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kreditiraj WithdrawalFileNotCapable=Nemoguće generirati isplatnu potvrdu za vašu zemlju %s ( Vaša zemlja nije podržana) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Isplatna datoteka SetToStatusSent=Postavi status "Datoteka poslana" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistika statusa stavki -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index b104ad68c84..a1c3790e6a8 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index e564f090666..4b189e14b59 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Következő érték (számlák) NextValueForCreditNotes=Következő érték (jóváírás) NextValueForDeposit=Következő érték (előleg) NextValueForReplacements=Következő érték (pótlások) -MustBeLowerThanPHPLimit=Megjegyzés: az Ön PHP konfigurációjában jelenleg %s%s van korlátozva a feltölthető maximális fájlméret. +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Megjegyzés: A PHP konfigurációban nincs beállítva korlátozás MaxSizeForUploadedFiles=A feltöltött fájlok maximális mérete (0 megtiltja a feltöltést) UseCaptchaCode=Grafikus kód (CAPTCHA) használata a bejelentkezési oldalon @@ -207,7 +207,7 @@ ModulesMarketPlaces=Külső alkalmazások / modulok keresése ModulesDevelopYourModule=Fejlessze ki saját alkalmazását / moduljait ModulesDevelopDesc=Kidolgozhat saját modult is, vagy partnert találhat aki elkészíti az Ön számára. DOLISTOREdescriptionLong=Az www.dolistore.com webhely bekapcsolása helyett egy külső modul megkereséséhez használhatja ezt a beágyazott eszközt, amely elvégzi a keresést a külső piacon az Ön számára (lehet, hogy lassú lesz, internetkapcsolat szükséges) ... -NewModule=Új +NewModule=New module FreeModule=Ingyenes CompatibleUpTo=Kompatibilis a(z) %s verzióval NotCompatible=Ez a modul nem tűnik kompatibilisnek a Dolibarr %s verzióval (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Újdonság AchatTelechargement=Vásárlás / Letöltés GoModuleSetupArea=Új modul telepítéséhez / telepítéséhez ugorjon a Modul beállítása területre: %s . DoliStoreDesc=DoliStore, a hivatalos Dolibarr ERP / CRM piactér külső modulok számára -DoliPartnersDesc=Az egyedi fejlesztésű modulokat vagy funkciókat kínáló cégek listája.
Megjegyzés: mivel a Dolibarr nyílt forráskódú alkalmazás, bárki, aki a PHP programozásban tapasztalt, készíthet modult. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Külső webhelyek további kiegészítő (nem alapvető) modulokhoz ... DevelopYourModuleDesc=Néhány javaslat a saját modul fejlesztésére ... URL=URL elérési út @@ -446,12 +446,13 @@ LinkToTestClickToDial=Írjon be egy telefonszámot, hogy kipróbálhassa a Click RefreshPhoneLink=Hivatkozás frissítése LinkToTest=Az alapérték használatához hagyja üresen KeepEmptyToUseDefault=Az alapérték használatához hagyja üresen +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Alapértelmezett hivatkozás SetAsDefault=Beállítás alapértelmezettként ValueOverwrittenByUserSetup=Figyelem, ezt az értéket a felhasználó-specifikus beállítás felülírhatja (minden felhasználó beállíthatja saját clicktodial URL-jét) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Tömeges vonalkód készítése partnereknek +BarcodeInitForThirdparties=Tömeges vonalkód készítése partnereknek BarcodeInitForProductsOrServices=A termékek vagy szolgáltatások tömeges vonalkód-indítása vagy visszaállítása CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=A következő %s üres rekord kezdeti értéke @@ -541,8 +542,8 @@ Module54Name=Szerződések / Előfizetések Module54Desc=Szerződések kezelése (szolgáltatások vagy ismétlődő előfizetések) Module55Name=Vonalkódok Module55Desc=Vonalkód kezelés -Module56Name=Telefon -Module56Desc=Telefon-integráció +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Banki közvetlen terhelés Module57Desc=Közvetlen terhelésű fizetési megbízások kezelése. Ez magában foglalja a SEPA fájl létrehozását az európai országok számára. Module58Name=Kattintson a híváshoz @@ -1145,6 +1146,7 @@ AvailableModules=Elérhető alkalmazások / modulok ToActivateModule=Ha aktiválni modulok, menjen a Setup Terület (Home-> Beállítások-> Modulok). SessionTimeOut=A munkamenet lejárt 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. TriggersAvailable=Elérhető triggerek TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggerek ebben a fájlban vannak tiltva a NORUN-utótag a nevükben. @@ -1262,6 +1264,7 @@ FieldEdition=%s mező szerkesztése FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Vissza a jelszót generált szerint Belső Dolibarr algoritmus: 8 karakter tartalmazó közös számokat és karaktereket kisbetűvel. PasswordGenerationNone=Nem javasolt a generált jelszó. A jelszót manuálisan kell beírni. @@ -1844,6 +1847,7 @@ MailToThirdparty=Partner MailToMember=Tagok MailToUser=Felhasználók MailToProject=Projects page +MailToTicket=Jegyek ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/hu_HU/agenda.lang b/htdocs/langs/hu_HU/agenda.lang index cd9eb924962..7b0436bf4e1 100644 --- a/htdocs/langs/hu_HU/agenda.lang +++ b/htdocs/langs/hu_HU/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Indulási dátum @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang index c8feb491579..d4d629fcbde 100644 --- a/htdocs/langs/hu_HU/banks.lang +++ b/htdocs/langs/hu_HU/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Számlakivonat AccountStatementShort=Nyilatkozat AccountStatements=Számlakivonatok diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index 18f7c42c99c..bbace25aee7 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Árengedmény (kif. előtt tart) EscompteOfferedShort=Kedvezmény SendBillRef=Számla elküldése %s SendReminderBillRef=Számla elküldése %s (emlékeztető) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Nincsenek tervezet számlák NoOtherDraftBills=Nincs más tervezet számlák NoDraftInvoices=Nincs számlaterv @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/hu_HU/cashdesk.lang b/htdocs/langs/hu_HU/cashdesk.lang index c7ca149736d..cfea4b4349e 100644 --- a/htdocs/langs/hu_HU/cashdesk.lang +++ b/htdocs/langs/hu_HU/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/hu_HU/categories.lang b/htdocs/langs/hu_HU/categories.lang index d06d6606335..f857f60accc 100644 --- a/htdocs/langs/hu_HU/categories.lang +++ b/htdocs/langs/hu_HU/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ez a kategória nem tartalmaz termékeket. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ez a kategória nem tartalmaz vásárlót. -ThisCategoryHasNoMember=Ez a kategória nem tartalmaz tagot. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/hu_HU/companies.lang b/htdocs/langs/hu_HU/companies.lang index 26f3995ee4c..13bede89067 100644 --- a/htdocs/langs/hu_HU/companies.lang +++ b/htdocs/langs/hu_HU/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Potenciális ​​terület IdThirdParty=Partner ID IdCompany=Cég ID IdContact=Contact ID -Contacts=Kapcsolatok/Elérhetőségek ThirdPartyContacts=Partner kapcsolatok ThirdPartyContact=Partner elérhetősége / címe Company=Cég @@ -298,7 +297,8 @@ AddContact=Kapcsolat létrehozása AddContactAddress=Kapcsolat/cím létrehozása EditContact=Kapcsoalt szerkesztése EditContactAddress=Kapcsolat/cím szerkesztése -Contact=Kapcsolat +Contact=Contact/Address +Contacts=Kapcsolatok/Elérhetőségek ContactId=Kapcsolat id azonosító ContactsAddresses=Kapcsolatok / címek FromContactName=Név: @@ -325,7 +325,8 @@ CompanyDeleted="%s" cég törölve az adatbázisból. ListOfContacts=Névjegyek / címek ListOfContactsAddresses=Névjegyek / címek ListOfThirdParties=Partnerek listája -ShowContact=Kapcsolat mutatása +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Minden (nincs szűrő) ContactType=Kapcsolat típusa ContactForOrders=Megrendelés kapcsolattartó @@ -424,7 +425,7 @@ ListSuppliersShort=Eladók listája ListProspectsShort=A lehetséges partnerek listája ListCustomersShort=Ügyfelek listája ThirdPartiesArea=Partnerek / kapcsolattartók -LastModifiedThirdParties=A(z) %s utoljára módosított partner +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Partnerek összesen InActivity=Nyitott ActivityCeased=Lezárt diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang index f6bd16ca771..35e835ec956 100644 --- a/htdocs/langs/hu_HU/errors.lang +++ b/htdocs/langs/hu_HU/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/hu_HU/hrm.lang b/htdocs/langs/hu_HU/hrm.lang index 9fb31b50d9f..2bbe0c97663 100644 --- a/htdocs/langs/hu_HU/hrm.lang +++ b/htdocs/langs/hu_HU/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Létesítmény lezárása # Dictionary DictionaryPublicHolidays=HRM - ünnepnapok DictionaryDepartment=HRM - Osztálylista -DictionaryFunction=HRM - Funkciólista +DictionaryFunction=HRM - Job positions # Module Employees=Alkalmazottak Employee=Foglalkoztató diff --git a/htdocs/langs/hu_HU/install.lang b/htdocs/langs/hu_HU/install.lang index c9b3e5ee4e5..cfba5a12a8c 100644 --- a/htdocs/langs/hu_HU/install.lang +++ b/htdocs/langs/hu_HU/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Hibá(k) fordulhattak elő a migrálási folyamat sor YouTryInstallDisabledByDirLock=Az alkalmazás megpróbált frissítést végrehajtani, de a telepítés / frissítés oldalait a biztonság miatt letiltottuk (.lock utótaggal átnevezett könyvtár).
YouTryInstallDisabledByFileLock=Az alkalmazás megpróbált frissítést végrehajtani, de a biztonságot szem előtt tartva letiltottuk a telepítési / frissítési oldalakat (az install.lock zárolási fájl létrehozásával a dolibarr dokumentumok könyvtárában).
ClickHereToGoToApp=Kattintson ide az alkalmazás eléréséhez -ClickOnLinkOrRemoveManualy=Kattintson a következő linkre. Ha mindig ugyanazt az oldalt látja, el kell távolítania / át kell neveznie az install.lock fájlt a dokumentumok könyvtárban. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index f6b07282fc3..3a23eb6e7e7 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Ilyen e-mail típushoz nincs elérhető sablon AvailableVariables=Elérhető helyettesítő változók NoTranslation=Nincs fordítás Translation=Fordítás -EmptySearchString=Adjon meg egy nem üres keresőszöveget +EmptySearchString=Enter non empty search criterias NoRecordFound=Rekord nem található NoRecordDeleted=Nincs törölt rekord NotEnoughDataYet=Nincs elég adat @@ -187,6 +187,8 @@ ShowCardHere=Kártyát mutat Search=Keres SearchOf=Keres SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Hiteles Approve=Jóváhagy Disapprove=Elvetés @@ -426,6 +428,7 @@ Modules=Modulok/alkalmazások Option=Opció List=Lista FullList=Teljes lista +FullConversation=Full conversation Statistics=Statisztika OtherStatistics=Egyéb statisztikák Status=Állapot @@ -663,6 +666,7 @@ Owner=Tulajdonos FollowingConstantsWillBeSubstituted=Az alábbi konstansok helyettesítve leszenek a hozzájuk tartozó értékekkel. Refresh=Frissítés BackToList=Vissza a listához +BackToTree=Back to tree GoBack=Vissza CanBeModifiedIfOk=Módosítható ha hitelesített CanBeModifiedIfKo=Módosítható ha nem hitelesített @@ -839,6 +843,7 @@ Sincerely=Tisztelettel ConfirmDeleteObject=Biztosan törli ezt az objektumot? DeleteLine=Sor törlése ConfirmDeleteLine=Biztos, hogy törölni akarja ezt a sort ? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Az ellenőrzött rekordok között nem volt elérhető PDF a dokumentum előállításához TooManyRecordForMassAction=Túl sok rekord van kiválasztva a tömeges művelethez. A művelet %s rekord listájára korlátozódik. NoRecordSelected=Nincs kiválasztva rekord @@ -953,12 +958,13 @@ SearchIntoMembers=Tagok SearchIntoUsers=Felhasználók SearchIntoProductsOrServices=Termékek vagy Szolgáltatások SearchIntoProjects=Projektek +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tennivalók SearchIntoCustomerInvoices=Ügyfél számlák SearchIntoSupplierInvoices=Szállítói számlák SearchIntoCustomerOrders=Értékesítési megrendelések SearchIntoSupplierOrders=Megrendelések -SearchIntoCustomerProposals=Ügyfél ajánlatok +SearchIntoCustomerProposals=Üzleti ajánlatok SearchIntoSupplierProposals=Szállítói javaslatok SearchIntoInterventions=Beavatkozások SearchIntoContracts=Szerződések @@ -1028,3 +1034,8 @@ YAxis=Y-tengely StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/hu_HU/modulebuilder.lang b/htdocs/langs/hu_HU/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/hu_HU/modulebuilder.lang +++ b/htdocs/langs/hu_HU/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/hu_HU/mrp.lang b/htdocs/langs/hu_HU/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/hu_HU/mrp.lang +++ b/htdocs/langs/hu_HU/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index b070f06054a..5a237102474 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximális méret AttachANewFile=Helyezzen fel egy új file / dokumentum LinkedObject=Csatolt objektum NbOfActiveNotifications=Értesítések száma (a címzettek e-mailjeinek száma) -PredefinedMailTest=__(Hello)__\nEz egy tesztüzenet, amelyet a __EMAIL__-re küldtek.\nA két sort egy kocsi visszatérés választja el egymástól.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nEz egy teszt üzenet (a teszt szónak vastag betűvel kell szerepelnie).
A két sort egy soremelés választja el egymástól.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nLásd a csatolt __REF__ számlát\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nFelhívjuk figyelmét, hogy a __REF__ számlát valószínűleg nem fizették ki. A számla egy példányát emlékeztetőként csatoljuk.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index c28d41d5a08..15f05e7d141 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -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=Utolsó %s nyílvántartásba vett termékek/szolgáltatások +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=A legújabb %s rögzített termékek LastRecordedServices=A legújabb %s rögzített szolgáltatás CardProduct0=Termék @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Megjegyzés (nem látszik a számlákon, ajánlatokon...) ServiceLimitedDuration=Ha a termék vagy szolgáltatás időkorlátos: MultiPricesAbility=Több árszegmens termékenként / szolgáltatásonként (minden ügyfél egy árszegmensben van) MultiPricesNumPrices=Árak száma +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Virtuális termékek (készletek) aktiválása AssociatedProducts=Virtuális termékek AssociatedProductsNumber=Kapcsolódó termékek száma diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 50a4460b1ab..a4c6a9d9d95 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Nem tulajdonosa ennek a privát projektnek AffectedTo=Érinti -CantRemoveProject=Ezt a projektet nem lehet eltávolítani mert valamilyen másik projekt hivatkozik rá. Referensek fül. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Projekt hitelesítése ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Projekt lezárása @@ -265,3 +265,4 @@ NewInvoice=Új számla OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/hu_HU/receptions.lang b/htdocs/langs/hu_HU/receptions.lang index 9790dbcc050..aa70f9d1f0a 100644 --- a/htdocs/langs/hu_HU/receptions.lang +++ b/htdocs/langs/hu_HU/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang index cdecbd7361e..4cafdbb0f5c 100644 --- a/htdocs/langs/hu_HU/stocks.lang +++ b/htdocs/langs/hu_HU/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=SÁÉ EnhancedValueOfWarehouses=Raktárak értéke UserWarehouseAutoCreate=Felhasználói raktár automatikus létrehozása felhasználó hozzáadásakor AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Mennyiség kiküldése QtyDispatchedShort=Kiadott mennyiség @@ -123,6 +130,7 @@ WarehouseForStockDecrease=A %s raktár készlete lesz csökkentve WarehouseForStockIncrease=A %s raktár készlete lesz növelve ForThisWarehouse=Az aktuális raktár részére ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Készletek pótlása NbOfProductBeforePeriod=A %s termékből rendelkezésre álló mennyiség a kiválasztott periódusban (%s előtt) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/hu_HU/ticket.lang b/htdocs/langs/hu_HU/ticket.lang index af1a61e3840..7ab0337b819 100644 --- a/htdocs/langs/hu_HU/ticket.lang +++ b/htdocs/langs/hu_HU/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Csoport TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/hu_HU/website.lang b/htdocs/langs/hu_HU/website.lang index 1b6e840db9d..dc184374537 100644 --- a/htdocs/langs/hu_HU/website.lang +++ b/htdocs/langs/hu_HU/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot fájl (robots.txt) WEBSITE_HTACCESS=Weboldal .htaccess fájl WEBSITE_MANIFEST_JSON=Honlap manifest.json fájl WEBSITE_README=README.md fájl +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Írja ide a meta adatokat vagy a licenc információkat a README.md fájl kitöltéséhez. ha sablonként terjeszti webhelyét, akkor a fájl belekerül a temptate csomagba. HtmlHeaderPage=HTML fejléc (csak ezen az oldalon) PageNameAliasHelp=Az oldal neve vagy aliasa.
Ezt az aliast SEO URL kovácsolására is használják, ha a webhelyet egy webszerver virtuális gazdagépről indítják (például Apacke, Nginx, ...). Használja az " %s " gombot az alias szerkesztéséhez. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=A 'dinamikus tartalom' végrehajtásának módja GlobalCSSorJS=A webhely globális CSS / JS / fejléc fájlja BackToHomePage=Vissza a honlapra... TranslationLinks=Fordítási linkek -YouTryToAccessToAFileThatIsNotAWebsitePage=Olyan oldalhoz próbál hozzáférni, amely nem weboldal +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=A helyes SEO gyakorlat érdekében használjon 5 és 70 karakter közötti szöveget MainLanguage=Fő nyelv OtherLanguages=Más nyelvek @@ -128,3 +129,6 @@ UseManifest=Adjon meg egy manifest.json fájlt PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/hu_HU/withdrawals.lang b/htdocs/langs/hu_HU/withdrawals.lang index 5141531ac3b..08fffb2d771 100644 --- a/htdocs/langs/hu_HU/withdrawals.lang +++ b/htdocs/langs/hu_HU/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Feldolgozásához +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Visszavonási mennyiség -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Selejtek LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Átviteli módszer Send=Küld Lines=Vonalak StandingOrderReject=Add ki egy visszautasító +WithdrawsRefused=Direct debit refused WithdrawalRefused=Megtagadta visszavonása +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Biztosan meg szeretné adni a visszavonás elutasító a társadalom RefusedData=Elutasításának napjától RefusedReason=Az elutasítás indoka @@ -58,6 +76,8 @@ StatusMotif8=Egyéb ok CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Csak az Office CreateBanque=Csak a bank OrderWaiting=Várakozás kezelés @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nemzeti Adó száma WithBankUsingRIB=A bankszámlák segítségével RIB WithBankUsingBANBIC=A bankszámlák segítségével IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Hitelt WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang index 863d677e5da..94a4b0fef70 100644 --- a/htdocs/langs/id_ID/accountancy.lang +++ b/htdocs/langs/id_ID/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index dfb3b7223f4..a968f3a3075 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Nilai berikutnya (faktur) NextValueForCreditNotes=Nilai berikutnya (nota kredit) NextValueForDeposit=Nilai berikutnya (DP)\n NextValueForReplacements=Nilai berikutnya (pengganti) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Catatan: Tidak ada batas diatur dalam konfigurasi PHP Anda MaxSizeForUploadedFiles=Ukuran maksimal untuk file upload (0 untuk melarang pengunggahan ada) UseCaptchaCode=Gunakan kode grafis (CAPTCHA) pada halaman login @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Link Standar SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Pihak Ketiga MailToMember=Anggota MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/id_ID/agenda.lang b/htdocs/langs/id_ID/agenda.lang index 953e37e1647..e632ca301aa 100644 --- a/htdocs/langs/id_ID/agenda.lang +++ b/htdocs/langs/id_ID/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Tanggal mulai @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang index 265be50e54d..a49ac71294d 100644 --- a/htdocs/langs/id_ID/banks.lang +++ b/htdocs/langs/id_ID/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index 6cd5f0ac5cf..3ccd02654c0 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/id_ID/cashdesk.lang b/htdocs/langs/id_ID/cashdesk.lang index 4dcde5eda9f..fe1065b0e83 100644 --- a/htdocs/langs/id_ID/cashdesk.lang +++ b/htdocs/langs/id_ID/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/id_ID/categories.lang b/htdocs/langs/id_ID/categories.lang index 07c6de01282..c54d069700f 100644 --- a/htdocs/langs/id_ID/categories.lang +++ b/htdocs/langs/id_ID/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/id_ID/companies.lang b/htdocs/langs/id_ID/companies.lang index a90e08ac188..529c7bf9bf8 100644 --- a/htdocs/langs/id_ID/companies.lang +++ b/htdocs/langs/id_ID/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=ID Pihak Ketiga IdCompany=ID Perusahaan IdContact=ID Kontak -Contacts=Kontak/Alamat ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Perusahaan @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Kontak/Alamat ContactId=Contact id ContactsAddresses=Kontak/Alamat FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Ditutup diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/id_ID/errors.lang +++ b/htdocs/langs/id_ID/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/id_ID/hrm.lang b/htdocs/langs/id_ID/hrm.lang index 158ce33e941..d32cc148700 100644 --- a/htdocs/langs/id_ID/hrm.lang +++ b/htdocs/langs/id_ID/hrm.lang @@ -5,12 +5,13 @@ Establishments=Pembentukan Establishment=Pembentukan NewEstablishment=Pembentukan baru DeleteEstablishment=Hapus pembentukan -ConfirmDeleteEstablishment=Anda yakin ingin menghapus pembentukan ini? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Pembentukan terbuka CloseEtablishment=Pembentukan tertutup # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Daftar Departement -DictionaryFunction=HRM - Daftar Fungsi +DictionaryFunction=HRM - Job positions # Module Employees=karyawan Employee=karyawan diff --git a/htdocs/langs/id_ID/install.lang b/htdocs/langs/id_ID/install.lang index 59457c8085f..dd29f7b0286 100644 --- a/htdocs/langs/id_ID/install.lang +++ b/htdocs/langs/id_ID/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index 9988de10e94..f4c3fc4c2bc 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=Daftar FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Anggota SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/id_ID/modulebuilder.lang b/htdocs/langs/id_ID/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/id_ID/modulebuilder.lang +++ b/htdocs/langs/id_ID/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/id_ID/mrp.lang b/htdocs/langs/id_ID/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/id_ID/mrp.lang +++ b/htdocs/langs/id_ID/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index 7cac2e06e63..13c0023716c 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index 411bb7216ed..159626c78fa 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index 2e2ab925585..9304e1f6d51 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=Tagihan baru OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/id_ID/receptions.lang b/htdocs/langs/id_ID/receptions.lang index 6eed01d1ec0..fdb662acdb4 100644 --- a/htdocs/langs/id_ID/receptions.lang +++ b/htdocs/langs/id_ID/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/id_ID/stocks.lang b/htdocs/langs/id_ID/stocks.lang index 34f7fb5266e..66d9999fab9 100644 --- a/htdocs/langs/id_ID/stocks.lang +++ b/htdocs/langs/id_ID/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/id_ID/ticket.lang b/htdocs/langs/id_ID/ticket.lang index bfe887fc170..c9fcc27f633 100644 --- a/htdocs/langs/id_ID/ticket.lang +++ b/htdocs/langs/id_ID/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/id_ID/website.lang b/htdocs/langs/id_ID/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/id_ID/website.lang +++ b/htdocs/langs/id_ID/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/id_ID/withdrawals.lang b/htdocs/langs/id_ID/withdrawals.lang index eddea5d8abc..533b98b4448 100644 --- a/htdocs/langs/id_ID/withdrawals.lang +++ b/htdocs/langs/id_ID/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/is_IS/accountancy.lang b/htdocs/langs/is_IS/accountancy.lang index 04161db7e5a..550e48b1aa1 100644 --- a/htdocs/langs/is_IS/accountancy.lang +++ b/htdocs/langs/is_IS/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index fc6f20d8da7..5fdbdcfaf2a 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Næsta gildi (reikningum) NextValueForCreditNotes=Næsta gildi (kredit athugasemdum) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Ath: Ekki eru sett lágmörk á PHP uppsetningu þína MaxSizeForUploadedFiles=Hámarks stærð fyrir skrár (0 til banna allir senda) UseCaptchaCode=Nota myndræna kóða (Kapteinn) á innskráningarsíðu @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, opinber markaður staður fyrir Dolibarr ERP / CRM ytri mát -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Strikamerki er stjórnun -Module56Name=Símtækni -Module56Desc=Símtækni sameining +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=Til að virkja mát, fara á svæðinu skipulag (Home-> Uppsetning-> mát). SessionTimeOut=Tími út fyrir setu 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. TriggersAvailable=Laus kallar TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Hrindir af stað í þessari skrá er óvirkur the-NORUN viðskeyti í þeirra nafni. @@ -1262,6 +1264,7 @@ FieldEdition=%s viði útgáfa FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return lykilorð mynda samkvæmt innri Dolibarr reiknirit: 8 stafir sem innihalda hluti tölur og bókstafi í lágstafir. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Í þriðja aðila MailToMember=Meðlimir MailToUser=Notendur MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/is_IS/agenda.lang b/htdocs/langs/is_IS/agenda.lang index b0a2a971deb..583743bd8ba 100644 --- a/htdocs/langs/is_IS/agenda.lang +++ b/htdocs/langs/is_IS/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Upphafsdagur @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang index af43e96fba6..8ff5c6b537d 100644 --- a/htdocs/langs/is_IS/banks.lang +++ b/htdocs/langs/is_IS/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Reikningsyfirlit AccountStatementShort=Yfirlýsing AccountStatements=Reikningur yfirlýsingar diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang index 021a6a69fb8..113f9cdd1c8 100644 --- a/htdocs/langs/is_IS/bills.lang +++ b/htdocs/langs/is_IS/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Afsláttur í boði (greiðsla fyrir tíma) EscompteOfferedShort=Afsláttur SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Nei drög reikninga NoOtherDraftBills=Engin önnur reikningum drög NoDraftInvoices=Nei drög reikninga @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/is_IS/cashdesk.lang b/htdocs/langs/is_IS/cashdesk.lang index 53d67608a08..e7411b01a7d 100644 --- a/htdocs/langs/is_IS/cashdesk.lang +++ b/htdocs/langs/is_IS/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/is_IS/categories.lang b/htdocs/langs/is_IS/categories.lang index eac480af6a0..7192cb3eae7 100644 --- a/htdocs/langs/is_IS/categories.lang +++ b/htdocs/langs/is_IS/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Þessi flokkur inniheldur ekki vöruna. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Þessi flokkur inniheldur ekki allir viðskiptavinur. -ThisCategoryHasNoMember=Þessi flokkur inniheldur ekki meðlimur. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/is_IS/companies.lang b/htdocs/langs/is_IS/companies.lang index 699c424c082..f53325c968e 100644 --- a/htdocs/langs/is_IS/companies.lang +++ b/htdocs/langs/is_IS/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Auðkenni þriðja aðila IdCompany=Fyrirtækið Auðkenni IdContact=Hafðu Id -Contacts=Tengiliðir ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Fyrirtæki @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Breyta tengilið / netfang EditContactAddress=Edit contact/address -Contact=Hafðu samband +Contact=Contact/Address +Contacts=Tengiliðir ContactId=Contact id ContactsAddresses=Tengiliðir / Vistfang FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Fyrirtæki " %s " eytt úr gagnagrunninum. ListOfContacts=Listi yfir tengiliði ListOfContactsAddresses=Listi yfir tengiliði ListOfThirdParties=List of Third Parties -ShowContact=Show samband +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Öll (síu) ContactType=Hafðu tegund ContactForOrders=Panta's samband @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Opnaðu ActivityCeased=Lokað diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang index 28f89d9d044..702860b79c5 100644 --- a/htdocs/langs/is_IS/errors.lang +++ b/htdocs/langs/is_IS/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/is_IS/hrm.lang b/htdocs/langs/is_IS/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/is_IS/hrm.lang +++ b/htdocs/langs/is_IS/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/is_IS/install.lang b/htdocs/langs/is_IS/install.lang index 9c14f4b9435..aacd4ae0099 100644 --- a/htdocs/langs/is_IS/install.lang +++ b/htdocs/langs/is_IS/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang index 271416128f0..0521eea26e8 100644 --- a/htdocs/langs/is_IS/main.lang +++ b/htdocs/langs/is_IS/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Þýðing -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Sýna kort Search=Leita SearchOf=Leita SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Gildir Approve=Samþykkja Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Valkostur List=Listi FullList=Sjá lista +FullConversation=Full conversation Statistics=Tölfræði OtherStatistics=Önnur tölfræði Status=Status @@ -663,6 +666,7 @@ Owner=Eigandi FollowingConstantsWillBeSubstituted=Eftir Fastar verður staðgengill með samsvarandi gildi. Refresh=Refresh BackToList=Til baka í lista +BackToTree=Back to tree GoBack=Fara til baka CanBeModifiedIfOk=Hægt er að breyta ef gild CanBeModifiedIfKo=Hægt er að breyta ef ekki gilt @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Eyða línu ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Meðlimir SearchIntoUsers=Notendur SearchIntoProductsOrServices=Products or services SearchIntoProjects=Verkefni +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Verkefni SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Auglýsing tillögur SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Íhlutun SearchIntoContracts=Samningar @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/is_IS/modulebuilder.lang b/htdocs/langs/is_IS/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/is_IS/modulebuilder.lang +++ b/htdocs/langs/is_IS/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/is_IS/mrp.lang b/htdocs/langs/is_IS/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/is_IS/mrp.lang +++ b/htdocs/langs/is_IS/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index b81f0d0f77e..b43adbb2145 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -85,8 +85,8 @@ MaxSize=Hámarks stærð AttachANewFile=Hengja nýja skrá / skjal LinkedObject=Tengd mótmæla NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang index 50494b9a623..88a288ac601 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=Last %s breytt vörur / þjónustu +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Vara @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Ath (ekki sýnilegt á reikningum, tillögur ...) ServiceLimitedDuration=Ef varan er þjónusta við takmarkaðan tíma: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Fjöldi verð +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Fjöldi vara að semja þessa vöru diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index e65a23d7fc4..4e87fbe5762 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Ekki eigandi þessa einka verkefni AffectedTo=Áhrifum á -CantRemoveProject=Þetta verkefni er ekki hægt að fjarlægja eins og það er vísað af einhverjum öðrum hlutum (Reikningar, pantanir eða annað). Sjá Referers flipann. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Staðfesta projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Loka verkefni @@ -265,3 +265,4 @@ NewInvoice=Nýr reikningur OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/is_IS/receptions.lang b/htdocs/langs/is_IS/receptions.lang index 86c8e1192c9..f2bf1524084 100644 --- a/htdocs/langs/is_IS/receptions.lang +++ b/htdocs/langs/is_IS/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/is_IS/stocks.lang b/htdocs/langs/is_IS/stocks.lang index 3c0d56b32b8..f3e587437a6 100644 --- a/htdocs/langs/is_IS/stocks.lang +++ b/htdocs/langs/is_IS/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Vöruhús gildi UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Magn send QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/is_IS/ticket.lang b/htdocs/langs/is_IS/ticket.lang index 8a4433dd55e..007b2aa8c95 100644 --- a/htdocs/langs/is_IS/ticket.lang +++ b/htdocs/langs/is_IS/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/is_IS/website.lang b/htdocs/langs/is_IS/website.lang index 7cb01917290..be89d6b6ac4 100644 --- a/htdocs/langs/is_IS/website.lang +++ b/htdocs/langs/is_IS/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/is_IS/withdrawals.lang b/htdocs/langs/is_IS/withdrawals.lang index e934164fafa..6936fc8665a 100644 --- a/htdocs/langs/is_IS/withdrawals.lang +++ b/htdocs/langs/is_IS/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Til að ganga frá +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Upphæð til baka -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Hafnar LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Aðferð Sending Send=Senda Lines=Línur StandingOrderReject=Útgáfudagur a hafna +WithdrawsRefused=Direct debit refused WithdrawalRefused=Útborganir Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Ertu viss um að þú viljir að slá inn uppsögn höfnun fyrir samfélagið RefusedData=Dagsetning synjunar RefusedReason=Ástæða fyrir höfnun @@ -58,6 +76,8 @@ StatusMotif8=Aðrar ástæður CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Aðeins skrifstofa CreateBanque=Eini bankinn OrderWaiting=Beðið eftir meðferð @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Sendandi Fjöldi WithBankUsingRIB=Fyrir bankareikninga með RIB WithBankUsingBANBIC=Fyrir bankareikninga með IBAN / BIC / Swift BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Útlán á WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/it_CH/accountancy.lang b/htdocs/langs/it_CH/accountancy.lang deleted file mode 100644 index 9827b9d3795..00000000000 --- a/htdocs/langs/it_CH/accountancy.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - accountancy -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s diff --git a/htdocs/langs/it_CH/admin.lang b/htdocs/langs/it_CH/admin.lang deleted file mode 100644 index b81932f9f03..00000000000 --- a/htdocs/langs/it_CH/admin.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - admin -Module56Name=Telephony -Module56Desc=Telephony integration diff --git a/htdocs/langs/it_CH/companies.lang b/htdocs/langs/it_CH/companies.lang deleted file mode 100644 index 6897cf22f06..00000000000 --- a/htdocs/langs/it_CH/companies.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -Contact=Contact diff --git a/htdocs/langs/it_CH/projects.lang b/htdocs/langs/it_CH/projects.lang index 7e42793b0e9..d7d90a4212e 100644 --- a/htdocs/langs/it_CH/projects.lang +++ b/htdocs/langs/it_CH/projects.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - projects -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +ProjectsImContactFor=Projects for I am explicitly a contact diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index 9be0770d70b..10e9a0d170d 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=I prossimi passi dovrebbero essere fatti per fa AccountancyAreaDescActionFreq=Le seguenti azioni vengono di solito eseguite ogni mese, settimana o giorno per le grandi compagnie... AccountancyAreaDescJournalSetup=PASSO %s: Crea o controlla il contenuto del tuo elenco del giornale dal menu %s -AccountancyAreaDescChartModel=STEP %s: Crea un modello di piano dei conti dal menu %s -AccountancyAreaDescChart=STEP %s: Crea o seleziona il tuo piano dei conti dal menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Definisci le voci del piano dei conti per ogni IVA/tassa. Per fare ciò usa il menu %s. AccountancyAreaDescDefault=STEP %s: Definisci gli account di contabilità di default. Per questo, usa la voce menù %s. diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index a790bf4a540..837e64287c1 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -95,14 +95,14 @@ NextValueForInvoices=Valore successivo (fatture) NextValueForCreditNotes=Valore successivo (note di credito) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Valore successivo (sostituzioni) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Nota: la tua configurazione PHP attualmente limita la dimensione massima per il caricamento dei file %s %s, indipendentemente dal valore di questo parametro NoMaxSizeByPHPLimit=Nota: nessun limite impostato nella configurazione PHP MaxSizeForUploadedFiles=Dimensione massima dei file caricati (0 per disabilitare l'upload) UseCaptchaCode=Utilizzare verifica captcha nella pagina di login AntiVirusCommand=Percorso completo programma antivirus -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Esempio per ClamAv Daemon (richiede clamav-daemon): / usr / bin / clamdscan
Esempio per ClamWin (molto molto lento): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam= Più parametri sulla riga di comando -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Esempio per demone ClamAv: --fdpass
Esempio per ClamWin: --database = "C: \\ Programmi (x86) \\ ClamWin \\ lib" ComptaSetup=Impostazioni modulo contabilità UserSetup=Impostazioni per la gestione utenti MultiCurrencySetup=Impostazioni multi-valuta @@ -207,7 +207,7 @@ ModulesMarketPlaces=Trova app/moduli esterni... ModulesDevelopYourModule=Sviluppa il tuo modulo/app ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Nuovo +NewModule=Nuovo modulo FreeModule=Gratuito CompatibleUpTo=Compatibile con la versione %s NotCompatible=Questo modulo non sembra essere compatibile con la tua versione di Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novità AchatTelechargement=Aquista / Scarica GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, il mercato ufficiale dei moduli esterni per Dolibarr ERP/CRM -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Siti web esterni per ulteriori moduli add-on (non essenziali)... DevelopYourModuleDesc=Spunti per sviluppare il tuo modulo... URL=Collegamento @@ -446,12 +446,13 @@ LinkToTestClickToDial=Per testare l'indirizzo ClickToDial dell'utente %s RefreshPhoneLink=Link Aggiorna LinkToTest=Collegamento cliccabile generato per l'utente %s (clicca numero di telefono per testare) KeepEmptyToUseDefault=Lasciare vuoto per utilizzare il valore di default +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Link predefinito SetAsDefault=Imposta come predefinito ValueOverwrittenByUserSetup=Attenzione, questo valore potrebbe essere sovrascritto da un impostazione specifica dell'utente (ogni utente può settare il proprio url clicktodial) ExternalModule=Modulo esterno InstalledInto=Installato nella directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -476,7 +477,7 @@ Use3StepsApproval=By default, Purchase Orders need to be created and approved by UseDoubleApproval=Utilizzare un'approvazione in 3 passaggi quando l'importo (senza tasse) è superiore a ... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted (be careful also of your email provider's sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider. WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by SPF (ask you email provider), you must include the following IPs in the SPF record of the DNS of your domain: %s. +WarningPHPMailSPF=Se il nome di dominio nel tuo indirizzo e-mail del mittente è protetto da SPF (chiedi al tuo provider di posta elettronica), devi includere i seguenti IP nel record SPF del DNS del tuo dominio: %s . ClickToShowDescription=Clicca per mostrare la descrizione DependsOn=This module needs the module(s) RequiredBy=Questo modulo è richiesto dal modulo @@ -541,15 +542,15 @@ Module54Name=Contratti/Abbonamenti Module54Desc=Gestione contratti (servizi o abbonamenti) Module55Name=Codici a barre Module55Desc=Gestione codici a barre -Module56Name=Telefonia -Module56Desc=Integrazione telefonia +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Ordini addebito diretto (SEPA) Module57Desc=Gestione degli ordini di pagamento SEPA Direct Debit. Comprende anche la generazione di file SEPA per i paesi europei. Module58Name=ClickToDial Module58Desc=Integrazione di un sistema ClickToDial (per esempio Asterisk) Module59Name=Bookmark4u Module59Desc=Aggiungi la possibilità di generare account Bookmark4u da un account Dolibarr -Module60Name=Stickers +Module60Name=Adesivi Module60Desc=Gestione stickers Module70Name=Interventi Module70Desc=Gestione Interventi @@ -992,7 +993,7 @@ VATIsNotUsedDesc=Per impostazione predefinita, l'imposta sulle vendite proposta VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Tipo di imposta sulle vendite LTRate=Tariffa LocalTax1IsNotUsed=Non usare seconda tassa LocalTax1IsUsedDesc=Use a second type of tax (other than first one) @@ -1016,9 +1017,9 @@ LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices LocalTax2IsNotUsedDescES=Per impostazione predefinita la proposta di IRPF è 0. Fine della regola. LocalTax2IsUsedExampleES=In Spagna, liberi professionisti e freelance che forniscono servizi e le aziende che hanno scelto il regime fiscale modulare. LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +RevenueStampDesc=L'"imposta fiscale" o "marca da bollo" è un'imposta fissa per fattura (non dipende dall'importo della fattura). Può anche essere un'imposta in percentuale, ma l'utilizzo del secondo o terzo tipo di imposta è migliore per le imposte percentuali poiché i contrassegni fiscali non forniscono alcun report. Solo pochi paesi utilizzano questo tipo di imposta. +UseRevenueStamp=Usa una marca da bollo +UseRevenueStampExample=Il valore della marca da bollo è definito per impostazione predefinita nell'impostazione dei dizionari (%s - %s - %s) CalcLocaltax=Reports on local taxes CalcLocaltax1=Acquisti-vendite CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases @@ -1026,7 +1027,7 @@ CalcLocaltax2=Acquisti CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases CalcLocaltax3=Vendite CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Secondo la configurazione delle imposte (Vedi %s - %s - %s), il tuo paese non deve utilizzare questo tipo di imposta LabelUsedByDefault=Descrizione (utilizzata in tutti i documenti per cui non esiste la traduzione) LabelOnDocuments=Descrizione sul documento LabelOrTranslationKey=Etichetta o chiave di traduzione @@ -1117,8 +1118,8 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Note spese da approvare Delays_MAIN_DELAY_HOLIDAYS=Invia richieste da approvare SetupDescription1=Prima di iniziare ad utilizzare Dolibarr si devono definire alcuni parametri iniziali ed abilitare/configurare i moduli. SetupDescription2=Le 2 seguenti sezioni sono obbligatorie (le prime 2 sezioni nel menu Impostazioni): -SetupDescription3=%s -> %s

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

This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules. +SetupDescription3=  %s -> %s

Parametri di base utilizzati per personalizzare il comportamento predefinito dell'applicazione (ad es. per le funzionalità relative al paese). +SetupDescription4=  %s -> %s

Questo software è una suite di molti moduli / applicazioni. I moduli relativi alle tue esigenze devono essere abilitati e configurati. Le voci di menu verranno visualizzate con l'attivazione di questi moduli. SetupDescription5=Altre voci di menu consentono la gestione di parametri opzionali. LogEvents=Eventi di audit di sicurezza Audit=Audit @@ -1145,6 +1146,7 @@ AvailableModules=Moduli disponibili ToActivateModule=Per attivare i moduli, andare nell'area Impostazioni (Home->Impostazioni->Moduli). SessionTimeOut=Timeout delle sessioni SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. +SessionsPurgedByExternalSystem=Le sessioni su questo server sembrano essere pulite da un meccanismo esterno (cron sotto debian, ubuntu ...), probabilmente ogni %s secondi (= valore del parametro session.gc_maxlifetime a09a4b7) È necessario chiedere all'amministratore del server di modificare il ritardo della sessione. TriggersAvailable=Trigger disponibili TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=I trigger in questo file sono disattivati dal suffisso -NoRun nel nome. @@ -1168,7 +1170,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Controllare le impostazioni locali del server di posta (sendmail) BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. +BackupDesc2=Eseguire il backup del contenuto della directory "documenti" ( %s ) contenente tutti i file caricati e generati. Ciò includerà anche tutti i file di dump generati nel passaggio 1. Questa operazione può durare diversi minuti. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Il file generato va conservato in un luogo sicuro. @@ -1261,7 +1263,8 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Modifica del campo %s FillThisOnlyIfRequired=Per esempio: +2 (compilare solo se ci sono problemi di scostamento del fuso orario) GetBarCode=Ottieni codice a barre -NumberingModules=Numbering models +NumberingModules=Modelli di numerazione +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Genera una password in base all'algoritmo interno di Dolibarr: 8 caratteri comprensivi di numeri e lettere minuscole. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1273,9 +1276,9 @@ RuleForGeneratedPasswords=Rules to generate and validate passwords DisableForgetPasswordLinkOnLogonPage=Non mostrare il link "Password dimenticata?" nella pagina di accesso UsersSetup=Impostazioni modulo utenti UserMailRequired=È obbligatorio inserire un indirizzo email per creare un nuovo utente -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=Nascondi gli utenti inattivi da tutti gli elenchi combinati di utenti (sconsigliato: ciò potrebbe significare che non sarai in grado di filtrare o cercare su vecchi utenti in alcune pagine) +UsersDocModules=Modelli di documenti per documenti generati dai dati dell'utente +GroupsDocModules=Modelli di documenti per documenti generati da un gruppo di dati ##### HRM setup ##### HRMSetup=Impostazioni modulo risorse umane ##### Company setup ##### @@ -1308,8 +1311,8 @@ BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invo PaymentsPDFModules=Payment documents models ForceInvoiceDate=Forza la data della fattura alla data di convalida SuggestedPaymentModesIfNotDefinedInInvoice=Suggerire le modalità predefinite di pagamento delle fatture, se non definite già nella fattura -SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account -SuggestPaymentByChequeToAddress=Suggest payment by check to +SuggestPaymentByRIBOnAccount=Suggerire il pagamento tramite bonifico bancario +SuggestPaymentByChequeToAddress=Suggerisci pagamento con assegno a FreeLegalTextOnInvoices=Testo libero sulle fatture WatermarkOnDraftInvoices=Bozze delle fatture filigranate (nessuna filigrana se vuoto) PaymentsNumberingModule=Modello per la numerazione dei documenti @@ -1699,7 +1702,7 @@ CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. +CashDeskForceDecreaseStockLabel=La riduzione delle scorte per i prodotti batch è stata forzata. CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) ##### Bookmark ##### @@ -1733,7 +1736,7 @@ MultiCompanySetup=Impostazioni modulo multiazienda ##### Suppliers ##### SuppliersSetup=Impostazioni modulo fornitori SuppliersCommandModel=Modello completo dell'ordine d'acquisto -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) +SuppliersCommandModelMuscadet=Modello completo dell'ordine d'acquisto (vecchia implementazione del modello cornas) SuppliersInvoiceModel=Modello completo di fattura fornitore SuppliersInvoiceNumberingModel=Modello per la numerazione delle fatture fornitore IfSetToYesDontForgetPermission=Se impostato su un valore non nullo, non dimenticare di fornire autorizzazioni a gruppi o utenti autorizzati per la seconda approvazione @@ -1787,7 +1790,7 @@ GoOntoUserCardToAddMore=Vai alla scheda "Notifiche" di un utente per aggiungere GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Soglia BackupDumpWizard=Procedura guidata per creare file di backup del database (dump) -BackupZipWizard=Wizard to build the archive of documents directory +BackupZipWizard=Procedura guidata per creare l'archivio della directory dei documenti SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1844,6 +1847,7 @@ MailToThirdparty=Soggetti terzi MailToMember=Membri MailToUser=Utenti MailToProject=Pagina dei progetti +MailToTicket=Ticket ByDefaultInList=Mostra per impostazione predefinita nella visualizzazione elenco YouUseLastStableVersion=Stai usando l'ultima versione stabile TitleExampleForMajorRelease=Esempio di messaggio che puoi usare per annunciare questa major release (sentiti libero di usarlo sui tuoi siti web) @@ -1993,10 +1997,11 @@ NotAPublicIp=Not a public IP MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. FeatureNotAvailableWithReceptionModule=Funzione non disponibile quando la ricezione del modulo è abilitata EmailTemplate=Modello per le e-mail -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. -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. +EMailsWillHaveMessageID=Le e-mail avranno un tag "Riferimenti" corrispondente a questa sintassi +PDF_USE_ALSO_LANGUAGE_CODE=Se vuoi avere alcuni testi nel tuo PDF duplicato in 2 lingue diverse nello stesso PDF generato, devi impostare qui la seconda lingua in modo che il PDF generato contenga 2 lingue diverse nella stessa pagina, quella scelta durante la generazione del PDF e questa ( solo pochi modelli PDF supportano questa opzione). Mantieni vuoto per 1 lingua per PDF. +FafaIconSocialNetworksDesc=Inserisci qui il codice di un'icona FontAwesome. Se non sai cos'è FontAwesome, puoi utilizzare il valore generico fa-address-book. +FeatureNotAvailableWithReceptionModule=Funzione non disponibile quando la ricezione del modulo è abilitata +RssNote=Nota: ogni definizione di feed RSS fornisce un widget che è necessario abilitare per renderlo disponibile nella dashboard +JumpToBoxes=Vai a Setup -> Widget +MeasuringUnitTypeDesc=Usa qui un valore come "dimensione", "superficie", "volume", "peso", "tempo" +MeasuringScaleDesc=La scala è il numero di posizioni in cui è necessario spostare la parte decimale in modo che corrisponda all'unità di riferimento predefinita. Per il tipo di unità "tempo", è il numero di secondi. I valori tra 80 e 99 sono valori riservati. diff --git a/htdocs/langs/it_IT/agenda.lang b/htdocs/langs/it_IT/agenda.lang index 1a42baaa303..e35940c8087 100644 --- a/htdocs/langs/it_IT/agenda.lang +++ b/htdocs/langs/it_IT/agenda.lang @@ -61,7 +61,7 @@ MemberSubscriptionDeletedInDolibarr=Adesione %s per membro %s eliminata ShipmentValidatedInDolibarr=Spedizione %s convalidata ShipmentClassifyClosedInDolibarr=Spedizione %s classificata come fatturata ShipmentUnClassifyCloseddInDolibarr=Spedizione %s classificata come riaperta -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status +ShipmentBackToDraftInDolibarr=La spedizione %s torna allo stato bozza ShipmentDeletedInDolibarr=Spedizione %s eliminata OrderCreatedInDolibarr=Ordine %s creato OrderValidatedInDolibarr=Ordine convalidato @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposta cancellata OrderDeleted=Ordine cancellato InvoiceDeleted=Fattura cancellata +DraftInvoiceDeleted=Bozza di fattura eliminata PRODUCT_CREATEInDolibarr=Prodotto %s creato PRODUCT_MODIFYInDolibarr=Prodotto %s modificato PRODUCT_DELETEInDolibarr=Prodotto %s cancellato HOLIDAY_CREATEInDolibarr=Richiesta di congedo %s creata HOLIDAY_MODIFYInDolibarr=Richiesta di congedo %s modificata HOLIDAY_APPROVEInDolibarr=Richiesta di ferie %s approvata -HOLIDAY_VALIDATEDInDolibarr=Richiesta di congedo %s validata +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Richiesta di congedo %s eliminata EXPENSE_REPORT_CREATEInDolibarr=Nota spese %s creata EXPENSE_REPORT_VALIDATEInDolibarr=Nota spese %s validata @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=DBA disabilitata BOM_REOPENInDolibarr=DBA riaperta BOM_DELETEInDolibarr=BOM eliminata MRP_MO_VALIDATEInDolibarr=MO convalidato +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO prodotto MRP_MO_DELETEInDolibarr=MO eliminato +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Modelli di documento per eventi DateActionStart=Data di inizio @@ -151,3 +154,6 @@ EveryMonth=Ogni mese DayOfMonth=Giorno del mese DayOfWeek=Giorno della settimana DateStartPlusOne=Data inizio +1 ora +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang index fad1a61d848..aa009a32140 100644 --- a/htdocs/langs/it_IT/banks.lang +++ b/htdocs/langs/it_IT/banks.lang @@ -37,6 +37,8 @@ IbanValid=Il codice IBAN è valido IbanNotValid=Il codice IBAN non è valido StandingOrders=Ordini di addebito diretto StandingOrder=Ordine di addebito diretto +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Estratto conto AccountStatementShort=Est. conto AccountStatements=Estratti conto diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index 5394de1c8f9..1f9216fb5c7 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Sconto offerto (pagamento prima del termine) EscompteOfferedShort=Sconto SendBillRef=Invio della fattura %s SendReminderBillRef=Invio della fattura %s (promemoria) -StandingOrders=Ordini di addebito diretto -StandingOrder=Ordine di addebito diretto NoDraftBills=Nessuna bozza di fatture NoOtherDraftBills=Nessun'altra bozza di fatture NoDraftInvoices=Nessuna fattura in bozza @@ -525,7 +523,7 @@ TypeContact_facture_external_SHIPPING=Contatto spedizioni clienti TypeContact_facture_external_SERVICE=Contatto servizio clienti TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice TypeContact_invoice_supplier_external_BILLING=Contatto fattura fornitore -TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact +TypeContact_invoice_supplier_external_SHIPPING=Contatto spedizioni fornitori TypeContact_invoice_supplier_external_SERVICE=Vendor service contact # Situation invoices InvoiceFirstSituationAsk=Prima fattura di avanzamento lavori @@ -572,3 +570,6 @@ AutoFillDateToShort=Imposta data di fine MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Fattura cancellata BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/it_IT/boxes.lang b/htdocs/langs/it_IT/boxes.lang index c55a5828087..6eb3fbc421d 100644 --- a/htdocs/langs/it_IT/boxes.lang +++ b/htdocs/langs/it_IT/boxes.lang @@ -69,7 +69,7 @@ NoRecordedContracts=Nessun contratto registrato NoRecordedInterventions=Non ci sono interventi registrati BoxLatestSupplierOrders=Latest purchase orders BoxLatestSupplierOrdersAwaitingReception=Ultimi ordini di acquisto (con una ricezione in sospeso) -NoSupplierOrder=No recorded purchase order +NoSupplierOrder=Nessun ordine di acquisto registrato BoxCustomersInvoicesPerMonth=Fatture cliente al mese BoxSuppliersInvoicesPerMonth=Fatture fornitore per mese BoxCustomersOrdersPerMonth=Ordini Cliente per mese diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang index 9d92620b4be..db9454c37f5 100644 --- a/htdocs/langs/it_IT/cashdesk.lang +++ b/htdocs/langs/it_IT/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang index 7663624b70c..7ea6cadd248 100644 --- a/htdocs/langs/it_IT/categories.lang +++ b/htdocs/langs/it_IT/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=Default nella lista ChooseCategory=Choose category StocksCategoriesArea=Area categorie magazzini ActionCommCategoriesArea=Area eventi categorie +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Uso o operatore per le categorie diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index 8f2cb848865..358ba352ab2 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Area clienti potenziali IdThirdParty=Id soggetto terzo IdCompany=Id società IdContact=Id contatto -Contacts=Contatti/indirizzi ThirdPartyContacts=Contatti del soggetto terzo ThirdPartyContact=Contatto/indirizzo del soggetto terzo Company=Società @@ -54,7 +53,7 @@ Firstname=Nome PostOrFunction=Posizione lavorativa UserTitle=Titolo NatureOfThirdParty=Natura -NatureOfContact=Nature of Contact +NatureOfContact=Natura del contatto Address=Indirizzo State=Provincia/Cantone/Stato StateCode=Stato / Provincia @@ -82,7 +81,7 @@ DefaultLang=Lingua predefinita VATIsUsed=Utilizza imposte sulle vendite VATIsUsedWhenSelling=Questo definisce se questa terza parte include una imposta di vendita o meno quando emette una fattura ai propri clienti VATIsNotUsed=L'imposta sulle vendite non viene utilizzata -CopyAddressFromSoc=Copy address from third-party details +CopyAddressFromSoc=Compila l'indirizzo con l'indirizzo del soggetto terzo ThirdpartyNotCustomerNotSupplierSoNoRef=Soggetto terzo né cliente né fornitore, nessun oggetto di riferimento disponibile ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available PaymentBankAccount=Conto bancario usato per il pagamento: @@ -298,7 +297,8 @@ AddContact=Crea contatto AddContactAddress=Crea contatto/indirizzo EditContact=Modifica contatto/indirizzo EditContactAddress=Modifica contatto/indirizzo -Contact=Contatto +Contact=Contact/Address +Contacts=Contatti/indirizzi ContactId=Id contatto ContactsAddresses=Contatti/Indirizzi FromContactName=Nome: @@ -325,7 +325,8 @@ CompanyDeleted=Società %s cancellata dal database. ListOfContacts=Elenco dei contatti ListOfContactsAddresses=Elenco dei contatti ListOfThirdParties=Elenco dei soggetti terzi -ShowContact=Mostra contatti +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Tutti (Nessun filtro) ContactType=Tipo di contatto ContactForOrders=Contatto per gli ordini @@ -424,7 +425,7 @@ ListSuppliersShort=Elenco fornitori ListProspectsShort=Elenco dei clienti potenziali ListCustomersShort=Elenco dei clienti ThirdPartiesArea=Anagrafiche soggetti terzi e contatti -LastModifiedThirdParties=Ultimi %s soggetti terzi modificati +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Totale soggetti terzi InActivity=In attività ActivityCeased=Cessata attività @@ -445,7 +446,7 @@ SaleRepresentativeLogin=Login del rappresentante commerciale SaleRepresentativeFirstname=Nome del commerciale SaleRepresentativeLastname=Cognome del commerciale ErrorThirdpartiesMerge=Si è verificato un errore durante l'eliminazione di terze parti. Si prega di controllare il registro. Le modifiche sono state ripristinate. -NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested +NewCustomerSupplierCodeProposed=Il codice cliente o fornitore è già in uso, è consigliato usare un codice diverso KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address #Imports PaymentTypeCustomer=Payment Type - Customer diff --git a/htdocs/langs/it_IT/errors.lang b/htdocs/langs/it_IT/errors.lang index c70da08be62..31d9e22d694 100644 --- a/htdocs/langs/it_IT/errors.lang +++ b/htdocs/langs/it_IT/errors.lang @@ -11,7 +11,7 @@ ErrorLoginAlreadyExists=L'utente %s esiste già. ErrorGroupAlreadyExists=Il gruppo %s esiste già ErrorRecordNotFound=Record non trovato ErrorFailToCopyFile=Impossibile copiare il file '%s' in '%s' -ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. +ErrorFailToCopyDir=Impossibile copiare la directory ' %s ' in ' %s '. ErrorFailToRenameFile=Impossibile rinominare il file '%s' in '%s'. ErrorFailToDeleteFile=Impossibile rimuovere il file '%s'. ErrorFailToCreateFile=Impossibile creare il file '%s'. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Il progetto è chiuso. È necessario prima aprirlo nuovamente. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/it_IT/exports.lang b/htdocs/langs/it_IT/exports.lang index 0e0af4a9030..c475c13cffe 100644 --- a/htdocs/langs/it_IT/exports.lang +++ b/htdocs/langs/it_IT/exports.lang @@ -115,7 +115,7 @@ ExportDateFilter=YYYY, YYYYMM, YYYYMMDD : filtra per un anno/mese/giorno
YYYY ExportNumericFilter='NNNNN' filtra per un solo valore
'NNNNN+NNNNN' filtra su un range di valori
'>NNNNN' filtra per valori inferiori
'>NNNNN' filtra per valori superiori ImportFromLine=Importa a partire dalla riga numero EndAtLineNb=Numero dell'ultima riga -ImportFromToLine=Import line numbers (from - to) +ImportFromToLine=Import numero riga (da - a) SetThisValueTo2ToExcludeFirstLine=Per esempio: imposta questo valore a 3 per escludere le prime 2 righe KeepEmptyToGoToEndOfFile=Lascia il campo vuoto per andare alla fine del file SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for update attempt diff --git a/htdocs/langs/it_IT/hrm.lang b/htdocs/langs/it_IT/hrm.lang index f38870978e5..a962d229784 100644 --- a/htdocs/langs/it_IT/hrm.lang +++ b/htdocs/langs/it_IT/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Chiudi azienda # Dictionary DictionaryPublicHolidays=HRM - Giorni festivi DictionaryDepartment=HRM - Lista dipartimenti -DictionaryFunction=HRM - Lista funzioni +DictionaryFunction=HRM - Job positions # Module Employees=Dipendenti Employee=Dipendente diff --git a/htdocs/langs/it_IT/install.lang b/htdocs/langs/it_IT/install.lang index 659ce3b4a2d..8da38731d3e 100644 --- a/htdocs/langs/it_IT/install.lang +++ b/htdocs/langs/it_IT/install.lang @@ -174,7 +174,7 @@ MigrationContractsLineCreation=Crea riga per il contratto con riferimento %s MigrationContractsNothingToUpdate=Non ci sono più cose da fare MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. MigrationContractsEmptyDatesUpdate=Correzione contratti con date vuote -MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully +MigrationContractsEmptyDatesUpdateSuccess=Correzione dei contratti con data vuota effettuata con successo MigrationContractsEmptyDatesNothingToUpdate=Nessuna data di contratto vuota da correggere MigrationContractsEmptyCreationDatesNothingToUpdate=Nessuna data di creazione contratto da correggere MigrationContractsInvalidDatesUpdate=Correzione dei contratti con date errate @@ -200,7 +200,7 @@ MigrationProjectTaskActors=Data migration for table llx_projet_task_actors MigrationProjectUserResp=Migrazione dei dati del campo fk_user_resp da llx_projet a llx_element_contact MigrationProjectTaskTime=Aggiorna tempo trascorso in secondi MigrationActioncommElement=Aggiornare i dati sulle azioni -MigrationPaymentMode=Data migration for payment type +MigrationPaymentMode=Migrazione dei dati delle modalità di pagamento MigrationCategorieAssociation=Migrazione delle categorie MigrationEvents=Migration of events to add event owner into assignment table MigrationEventsContact=Migration of events to add event contact into assignment table @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang index cb3d441981a..8c6b1994892 100644 --- a/htdocs/langs/it_IT/mails.lang +++ b/htdocs/langs/it_IT/mails.lang @@ -13,7 +13,7 @@ MailReply=Rispondi a MailTo=Destinatario(i) MailToUsers=To user(s) MailCC=Copia carbone (CC) -MailToCCUsers=Copy to users(s) +MailToCCUsers=In copia gli utenti MailCCC=Copia carbone cache (CCC) MailTopic=Email topic MailText=Testo diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index b7d535794fe..ab13b8b9efe 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Nessun tema disponibile per questo tipo di email AvailableVariables=Variabili di sostituzione disponibili NoTranslation=Nessuna traduzione Translation=Traduzioni -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nessun risultato trovato NoRecordDeleted=Nessun record eliminato NotEnoughDataYet=Dati insufficienti @@ -187,6 +187,8 @@ ShowCardHere=Visualizza scheda Search=Ricerca SearchOf=Cerca SearchMenuShortCut=Ctrl + Maiusc + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Convalida Approve=Approva Disapprove=Non approvare @@ -426,6 +428,7 @@ Modules=Moduli/Applicazioni Option=Opzione List=Elenco FullList=Elenco completo +FullConversation=Full conversation Statistics=Statistiche OtherStatistics=Altre statistiche Status=Stato @@ -454,7 +457,7 @@ ContactsAddressesForCompany=Contatti/indirizzi per questo soggetto terzo AddressesForCompany=Indirizzi per questo soggetto terzo ActionsOnCompany=Events for this third party ActionsOnContact=Events for this contact/address -ActionsOnContract=Events for this contract +ActionsOnContract=Eventi per questo contratto ActionsOnMember=Azioni su questo membro ActionsOnProduct=Eventi su questo prodotto NActionsLate=%s azioni in ritardo @@ -663,6 +666,7 @@ Owner=Proprietario FollowingConstantsWillBeSubstituted=Le seguenti costanti saranno sostitute con i valori corrispondenti Refresh=Aggiorna BackToList=Torna alla lista +BackToTree=Back to tree GoBack=Torna indietro CanBeModifiedIfOk=Può essere modificato se valido CanBeModifiedIfKo=Può essere modificato se non valido @@ -839,6 +843,7 @@ Sincerely=Cordialmente ConfirmDeleteObject=Sei sicuro di voler eliminare questo oggetto? DeleteLine=Elimina riga ConfirmDeleteLine=Vuoi davvero eliminare questa riga? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Non è possibile generare il documento PDF dai record selezionati TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Nessun record selezionato @@ -953,12 +958,13 @@ SearchIntoMembers=Membri SearchIntoUsers=Utenti SearchIntoProductsOrServices=Prodotti o servizi SearchIntoProjects=Progetti +SearchIntoMO=Ordini di produzione SearchIntoTasks=Compiti SearchIntoCustomerInvoices=Fatture attive SearchIntoSupplierInvoices=Fatture Fornitore SearchIntoCustomerOrders=Ordini Cliente SearchIntoSupplierOrders=Ordini d'acquisto -SearchIntoCustomerProposals=Proposte del cliente +SearchIntoCustomerProposals=Preventivi/Proposte commerciali SearchIntoSupplierProposals=Proposte fornitore SearchIntoInterventions=Interventi SearchIntoContracts=Contratti @@ -999,7 +1005,7 @@ ValidUntil=Valid until NoRecordedUsers=No users ToClose=Da chiudere ToProcess=Da lavorare -ToApprove=To approve +ToApprove=Da approvare GlobalOpenedElemView=Vista globale NoArticlesFoundForTheKeyword=No article found for the keyword '%s' NoArticlesFoundForTheCategory=No article found for the category @@ -1028,3 +1034,8 @@ YAxis=Asse Y StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/it_IT/margins.lang b/htdocs/langs/it_IT/margins.lang index 5c3ce4941f9..ca1f9ef2849 100644 --- a/htdocs/langs/it_IT/margins.lang +++ b/htdocs/langs/it_IT/margins.lang @@ -28,7 +28,7 @@ UseDiscountAsProduct=Come prodotto UseDiscountAsService=Come servizio UseDiscountOnTotal=Sul subtotale MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Definisce se, ai fini del calcolo del margine, uno sconto globale debba essere trattato come un prodotto, un servizio o usato solo sul subtotale. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation +MARGIN_TYPE=Prezzo di acquisto / costo suggerito per impostazione predefinita per il calcolo del margine MargeType1=Margin on Best vendor price MargeType2=Margin on Weighted Average Price (WAP) MargeType3=Margin on Cost Price diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang index fb1de1a4cad..db7e5ea8b69 100644 --- a/htdocs/langs/it_IT/modulebuilder.lang +++ b/htdocs/langs/it_IT/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Crea pacchetto BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Chiave esterna TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/it_IT/mrp.lang b/htdocs/langs/it_IT/mrp.lang index c0185190272..140ab7b5de4 100644 --- a/htdocs/langs/it_IT/mrp.lang +++ b/htdocs/langs/it_IT/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=Da produrre QtyAlreadyConsumed=Q.tà già consumate QtyAlreadyProduced=Q.tà già prodotte +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Produzione di %s @@ -73,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/it_IT/orders.lang b/htdocs/langs/it_IT/orders.lang index c1dbc75c639..2a3069cbb23 100644 --- a/htdocs/langs/it_IT/orders.lang +++ b/htdocs/langs/it_IT/orders.lang @@ -21,7 +21,7 @@ CustomerOrder=Sales Order CustomersOrders=Ordini Cliente CustomersOrdersRunning=Ordini Cliente in corso CustomersOrdersAndOrdersLines=Ordini dei clienti e righe degli ordini -OrdersDeliveredToBill=Sales orders delivered to bill +OrdersDeliveredToBill=Ordini clienti spediti da fatturare OrdersToBill=Ordini clienti spediti OrdersInProcess=Ordini clienti in corso OrdersToProcess=Ordini Cliente da trattare @@ -77,7 +77,7 @@ ShowOrder=Visualizza ordine OrdersOpened=Ordini da processare NoDraftOrders=Nessuna bozza d'ordine NoOrder=Nessun ordine -NoSupplierOrder=No purchase order +NoSupplierOrder=Nessun ordine d'acquisto LastOrders=Latest %s sales orders LastCustomerOrders=Latest %s sales orders LastSupplierOrders=Latest %s purchase orders @@ -129,8 +129,8 @@ TypeContact_commande_external_CUSTOMER=Contatto follow-up cliente TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order TypeContact_order_supplier_internal_SHIPPING=Responsabile spedizioni fornitore TypeContact_order_supplier_external_BILLING=Contatto fattura fornitore -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order +TypeContact_order_supplier_external_SHIPPING=Contatto spedizioni fornitore +TypeContact_order_supplier_external_CUSTOMER=Contatto follow-up ordine fornitore Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Costante COMMANDE_SUPPLIER_ADDON non definita Error_COMMANDE_ADDON_NotDefined=Costante COMMANDE_ADDON non definita Error_OrderNotChecked=Nessun ordine da fatturare selezionato @@ -141,7 +141,7 @@ OrderByEMail=Email OrderByWWW=Sito OrderByPhone=Telefono # Documents models -PDFEinsteinDescription=Un modello completo PDF di ordine cliente +PDFEinsteinDescription=Un modello completo PDF di ordine cliente (vecchia implementazione del modello Eratosthene) PDFEratostheneDescription=Un modello completo per gli ordini PDFEdisonDescription=Un modello semplice per gli ordini PDFProformaDescription=Un modello completo PDF di fattura Proforma diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index 0fef5921397..5e6d2494fce 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -85,8 +85,8 @@ MaxSize=La dimensione massima è AttachANewFile=Allega un nuovo file/documento LinkedObject=Oggetto collegato NbOfActiveNotifications=Numero di notifiche (num. di email da ricevere) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index 4d5f8b24b65..9feed4c9e3b 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 modified products/services LastRecordedProducts=Ultimi %s prodotti registrati LastRecordedServices=Ultimi %s servizi registrati CardProduct0=Prodotto @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Nota (non visibile su fatture, proposte ...) ServiceLimitedDuration=Se il prodotto è un servizio di durata limitata: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Numero di prezzi per il multi-prezzi +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Attiva i prodotti virtuali (kits) AssociatedProducts=Prodotti virtuali AssociatedProductsNumber=Numero di prodotti associati @@ -165,7 +166,7 @@ BuyingPrices=Prezzi di acquisto CustomerPrices=Prezzi di vendita SuppliersPrices=Prezzi fornitore SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs / Commodity / HS code +CustomCode=Dogana/Merce/Codice SA CountryOrigin=Paese di origine Nature=Nature of product (material/finished) ShortLabel=Etichetta breve diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 6917266e6df..a661e37e1c5 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Figlio dell'attività TaskHasChild=L'attività ha un figlio NotOwnerOfProject=Non sei proprietario di questo progetto privato AffectedTo=Assegnato a -CantRemoveProject=Questo progetto non può essere rimosso: altri oggetti (fatture, ordini, ecc...) vi fanno riferimento. Guarda la scheda riferimenti. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Convalida progetto ConfirmValidateProject=Vuoi davvero convalidare il progetto? CloseAProject=Chiudi il progetto @@ -265,3 +265,4 @@ NewInvoice=Nuova fattura OneLinePerTask=Una riga per compito OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/it_IT/receptions.lang b/htdocs/langs/it_IT/receptions.lang index 9083941653c..d38d3833246 100644 --- a/htdocs/langs/it_IT/receptions.lang +++ b/htdocs/langs/it_IT/receptions.lang @@ -38,8 +38,10 @@ SendReceptionRef=Submission of reception %s ActionsOnReception=Events on reception ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the order card. ReceptionLine=Reception line -ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent +ProductQtyInReceptionAlreadySent=Quantità del prodotto dall'ordine cliente aperto già inviato ProductQtyInSuppliersReceptionAlreadyRecevied=Quantità prodotto dall'ordine fornitore aperto già ricevuto ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang index 8f3d7072a54..5fc4e6618ae 100644 --- a/htdocs/langs/it_IT/stocks.lang +++ b/htdocs/langs/it_IT/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=MPP EnhancedValueOfWarehouses=Valore magazzini UserWarehouseAutoCreate=Crea anche un magazzino alla creazione di un utente AllowAddLimitStockByWarehouse=Gestisci anche i valori minimo e desiderato della scorta per abbinamento (prodotto - magazzino) oltre ai valori per prodotto +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Magazzino predefinito +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Le scorte di prodotto e di sottoprodotti sono indipendenti QtyDispatched=Quantità ricevuta QtyDispatchedShort=Q.ta ricevuta @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Il magazzino %s sarà usato per la diminuzione WarehouseForStockIncrease=Il magazzino %s sarà usato per l'aumento delle scorte ForThisWarehouse=Per questo magazzino ReplenishmentStatusDesc=Questa è una lista di tutti i prodotti con una giacenza inferiore a quella desiderata (o inferiore al valore di allarme se la casella "solo allarme" è selezionata). Utilizzando la casella di controllo, è possibile creare ordini fornitori per colmare la differenza. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Rifornimento NbOfProductBeforePeriod=Quantità del prodotto %s in magazzino prima del periodo selezionato (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventario per un magazzino specifico InventoryForASpecificProduct=Inventario per un prodotto specifico StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/it_IT/ticket.lang b/htdocs/langs/it_IT/ticket.lang index 18141535770..2cac359e4bc 100644 --- a/htdocs/langs/it_IT/ticket.lang +++ b/htdocs/langs/it_IT/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Gruppo TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # @@ -203,7 +207,7 @@ TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of th TicketMessageMailSignature=Firma TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. TicketMessageMailSignatureText=

Sincerely,

--

-TicketMessageMailSignatureLabelAdmin=Signature of response email +TicketMessageMailSignatureLabelAdmin=Firma dell'email di risposta TicketMessageMailSignatureHelpAdmin=Questo testo verrà inserito dopo il messaggio di risposta TicketMessageHelp=Only this text will be saved in the message list on ticket card. TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. @@ -219,8 +223,8 @@ MarkMessageAsPrivate=Mark message as private TicketMessagePrivateHelp=This message will not display to external users TicketEmailOriginIssuer=Issuer at origin of the tickets InitialMessage=Initial Message -LinkToAContract=Link to a contract -TicketPleaseSelectAContract=Select a contract +LinkToAContract=Collega ad un contratto +TicketPleaseSelectAContract=Seleziona un contratto UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined TicketMailExchanges=Mail exchanges TicketInitialMessageModified=Initial message modified diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index c3ab2f4d430..a848f126b0a 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=File Robot (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=La modalità per eseguire il "contenuto dinamico&quo GlobalCSSorJS=File CSS / JS / header globale del sito web BackToHomePage=Torna alla home page ... TranslationLinks=Link alla traduzione -YouTryToAccessToAFileThatIsNotAWebsitePage=Stai tentando di accedere ad una pagina che non è pesente +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Lingua principale OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=Feed RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/it_IT/withdrawals.lang b/htdocs/langs/it_IT/withdrawals.lang index 38e96eaf840..667d7112d46 100644 --- a/htdocs/langs/it_IT/withdrawals.lang +++ b/htdocs/langs/it_IT/withdrawals.lang @@ -1,29 +1,45 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Domiciliazione bancaria -NewStandingOrder=New direct debit order +NewStandingOrder=Nuovo ordine di addebito diretto +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Da processare +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Ordini di addebito diretto WithdrawalReceipt=Ordine di addebito diretto +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Non ancora possibile. Lo stato dell'ordine deve essere "accreditato" prima di poter dichiarare la singola riga "rifiutata" -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Importo da prelevare -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Respinge LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request +MakeWithdrawRequest=Effettua una richiesta di addebito diretto WithdrawRequestsDone=%s direct debit payment requests recorded ThirdPartyBankCode=Codice bancario del Soggetto terzo NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. @@ -34,7 +50,9 @@ TransMetod=Metodo di trasmissione Send=Invia Lines=Righe StandingOrderReject=Invia rifiuto +WithdrawsRefused=Direct debit refused WithdrawalRefused=Bonifici rifiutati +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Vuoi davvero inserire un rifiuto per la società? RefusedData=Data del rifiuto RefusedReason=Motivo del rifiuto @@ -58,6 +76,8 @@ StatusMotif8=Altri motivi CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Solo ufficio CreateBanque=Solo banca OrderWaiting=In attesa di esecuzione @@ -67,14 +87,15 @@ NumeroNationalEmetter=Numero nazionale dell'inviante WithBankUsingRIB=Per i conti correnti bancari che utilizzano RIB WithBankUsingBANBIC=Per conti bancari che utilizzano IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Data di accredito WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order +ShowWithdraw=Mostra ordine di addebito diretto IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Ricevuta bancaria SetToStatusSent=Imposta stato come "file inviato" -ThisWillAlsoAddPaymentOnInvoice=Questo inserirà i pagamenti relativi alle fatture e le classificherà come "Pagate" se il restante da pagare sarà uguale a 0 +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=Unique Mandate Reference (UMR) DateRUM=Mandate signature date @@ -97,7 +118,7 @@ SEPAFrstOrRecur=Tipo di pagamento ModeRECUR=Recurring payment ModeFRST=Pagamento una tantum PleaseCheckOne=Please check one only -DirectDebitOrderCreated=Direct debit order %s created +DirectDebitOrderCreated=Ordine di addebito diretto %s creato AmountRequested=Amount requested SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index 839cbc858f8..6692086b782 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index 9f3da177793..f42f5074876 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=次の値(請求書) NextValueForCreditNotes=次の値(クレジットメモ) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=注:制限なしお使いのPHPの設定で設定されていません MaxSizeForUploadedFiles=アップロードファイルの最大サイズ(0は任意のアップロードを許可しないように) UseCaptchaCode=ログインページで、グラフィカルコード(CAPTCHA)を使用して @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=新しい +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore、Dolibarr ERP / CRM外部モジュールのための公式の市場の場所 -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=バーコード Module55Desc=バーコードの管理 -Module56Name=テレフォニー -Module56Desc=テレフォニー統合 +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=モジュールを有効にするには、設定エリア(ホーム - >セットアップ - >モジュール)に行く。 SessionTimeOut=セッションのタイムアウト 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. TriggersAvailable=使用可能なトリガ TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=このファイル内のトリガはその名前に-NORUNサフィックスは無効になっています。 @@ -1262,6 +1264,7 @@ FieldEdition=フィールド%sのエディション FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=小文字で共有数字と文字を含む8文字:内部Dolibarrアルゴリズムに従って生成されたパスワードを返します。 PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=サードパーティ MailToMember=メンバー MailToUser=ユーザー MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ja_JP/agenda.lang b/htdocs/langs/ja_JP/agenda.lang index 813b7ea7797..db6ae1b3444 100644 --- a/htdocs/langs/ja_JP/agenda.lang +++ b/htdocs/langs/ja_JP/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=開始日 @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang index e630cd7daae..b456843cfc8 100644 --- a/htdocs/langs/ja_JP/banks.lang +++ b/htdocs/langs/ja_JP/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=アカウントステートメント AccountStatementShort=ステートメント AccountStatements=アカウント文 diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 286d0b7d1ae..faf4e4f7633 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=提供される割引(用語の前にお支払い) EscompteOfferedShort=割引 SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=いいえドラフトの請求なし NoOtherDraftBills=他のドラフトの請求なし NoDraftInvoices=いいえドラフトの請求なし @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ja_JP/cashdesk.lang b/htdocs/langs/ja_JP/cashdesk.lang index 53905618d23..6fb4510700b 100644 --- a/htdocs/langs/ja_JP/cashdesk.lang +++ b/htdocs/langs/ja_JP/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang index 563a674950f..41e4f247bfc 100644 --- a/htdocs/langs/ja_JP/categories.lang +++ b/htdocs/langs/ja_JP/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=このカテゴリにはどの製品も含まれていません。 -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=このカテゴリにはすべての顧客が含まれていません。 -ThisCategoryHasNoMember=このカテゴリには、任意のメンバーが含まれていません。 -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang index 5779051f34f..2342ee3ce68 100644 --- a/htdocs/langs/ja_JP/companies.lang +++ b/htdocs/langs/ja_JP/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospectionエリア IdThirdParty=IDサードパーティ IdCompany=企業ID IdContact=IDをお問い合わせください -Contacts=コンタクト ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=会社 @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=コンタクト/アドレスを編集 EditContactAddress=Edit contact/address -Contact=連絡 +Contact=Contact/Address +Contacts=コンタクト ContactId=Contact id ContactsAddresses=コンタクト/アドレス FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=データベースから削除された会社 "%s"。 ListOfContacts=連絡先/アドレスのリスト ListOfContactsAddresses=連絡先/アドレスのリスト ListOfThirdParties=List of Third Parties -ShowContact=連絡先を表示する +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=すべて(フィルタなし) ContactType=コンタクトタイプ ContactForOrders=注文のお問い合わせ @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=開く ActivityCeased=閉じた diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index fe936f0de87..bb05804e4de 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ja_JP/hrm.lang b/htdocs/langs/ja_JP/hrm.lang index 24862c4ff07..e7cd1a4f1b8 100644 --- a/htdocs/langs/ja_JP/hrm.lang +++ b/htdocs/langs/ja_JP/hrm.lang @@ -5,12 +5,13 @@ Establishments=事業所 Establishment=事業所 NewEstablishment=新しい事業所 DeleteEstablishment=事業所を削除 -ConfirmDeleteEstablishment=この事業所を削除してもよろしいですか? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=事業所を開く CloseEtablishment=事業所を閉じる # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - 部門リスト -DictionaryFunction=HRM - 職能リスト +DictionaryFunction=HRM - Job positions # Module Employees=従業員 Employee=従業員 diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index 530e00adb78..be5c44a6066 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 571c9f75ab4..678deac09d5 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=翻訳 -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=カードを表示 Search=検索 SearchOf=検索 SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=有効な Approve=承認する Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=オプション List=リスト FullList=全リスト +FullConversation=Full conversation Statistics=統計 OtherStatistics=他の統計 Status=ステータス @@ -663,6 +666,7 @@ Owner=所有者 FollowingConstantsWillBeSubstituted=以下の定数は、対応する値を持つ代替となります。 Refresh=リフレッシュ BackToList=一覧に戻る +BackToTree=Back to tree GoBack=戻る CanBeModifiedIfOk=有効であれば変更することができます CanBeModifiedIfKo=有効でない場合は変更することができます @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=行を削除します ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=メンバー SearchIntoUsers=ユーザー SearchIntoProductsOrServices=Products or services SearchIntoProjects=プロジェクト +SearchIntoMO=Manufacturing Orders SearchIntoTasks=タスク SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=商用の提案 SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=介入 SearchIntoContracts=契約 @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ja_JP/mrp.lang b/htdocs/langs/ja_JP/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/ja_JP/mrp.lang +++ b/htdocs/langs/ja_JP/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index bed40f08556..0ee2b871636 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -85,8 +85,8 @@ MaxSize=最大サイズ AttachANewFile=新しいファイル/文書を添付する LinkedObject=リンクされたオブジェクト NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index 61a31695f3a..b0459e1a258 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/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=最後%sは、製品/サービスを変更 +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=製品 @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=注意してください(請求書、提案...上に表 ServiceLimitedDuration=製品は、限られた期間を持つサービスの場合: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=価格数 +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=この製品を構成する製品の数 diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index b374f5a404b..6ec59961399 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=この民間プロジェクトの所有者でない AffectedTo=に割り当てられた -CantRemoveProject=それはいくつかの他のオブジェクト(請求書、注文またはその他)によって参照されているこのプロジェクトは削除できません。リファラ]タブを参照してください。 +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=挙を検証する ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=プロジェクトを閉じる @@ -265,3 +265,4 @@ NewInvoice=新しい請求書 OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ja_JP/receptions.lang b/htdocs/langs/ja_JP/receptions.lang index 132d0ef6deb..f4476304d19 100644 --- a/htdocs/langs/ja_JP/receptions.lang +++ b/htdocs/langs/ja_JP/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index b547b328ebe..f97819e16bb 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=倉庫の値 UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=数量派遣 QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ja_JP/ticket.lang b/htdocs/langs/ja_JP/ticket.lang index ad72e7b5cc4..999ce4aa6e2 100644 --- a/htdocs/langs/ja_JP/ticket.lang +++ b/htdocs/langs/ja_JP/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=グループ TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang index b3e1aad6d54..a0430925800 100644 --- a/htdocs/langs/ja_JP/website.lang +++ b/htdocs/langs/ja_JP/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSSフィード +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ja_JP/withdrawals.lang b/htdocs/langs/ja_JP/withdrawals.lang index 7734a63a35f..eb66597f62d 100644 --- a/htdocs/langs/ja_JP/withdrawals.lang +++ b/htdocs/langs/ja_JP/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=処理するには +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=撤回する金額 -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=拒否する LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=方式伝送 Send=送信 Lines=行 StandingOrderReject=拒否を発行 +WithdrawsRefused=Direct debit refused WithdrawalRefused=撤退は拒否されました +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=あなたは社会のために撤退拒否を入力してもよろしいです RefusedData=拒絶反応の日付 RefusedReason=拒否理由 @@ -58,6 +76,8 @@ StatusMotif8=他の理由 CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=唯一のオフィス CreateBanque=唯一の銀行 OrderWaiting=治療を待っている @@ -67,6 +87,7 @@ NumeroNationalEmetter=国立トランスミッタ数 WithBankUsingRIB=RIBを使用した銀行口座 WithBankUsingBANBIC=IBAN / BIC / SWIFTを使用した銀行口座 BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=クレジットで WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/ka_GE/accountancy.lang b/htdocs/langs/ka_GE/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/ka_GE/accountancy.lang +++ b/htdocs/langs/ka_GE/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ka_GE/agenda.lang b/htdocs/langs/ka_GE/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/ka_GE/agenda.lang +++ b/htdocs/langs/ka_GE/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/ka_GE/banks.lang +++ b/htdocs/langs/ka_GE/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/ka_GE/bills.lang +++ b/htdocs/langs/ka_GE/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ka_GE/cashdesk.lang b/htdocs/langs/ka_GE/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/ka_GE/cashdesk.lang +++ b/htdocs/langs/ka_GE/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ka_GE/categories.lang b/htdocs/langs/ka_GE/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/ka_GE/categories.lang +++ b/htdocs/langs/ka_GE/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ka_GE/companies.lang b/htdocs/langs/ka_GE/companies.lang index f8b3d0354e2..92674363ced 100644 --- a/htdocs/langs/ka_GE/companies.lang +++ b/htdocs/langs/ka_GE/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/ka_GE/errors.lang +++ b/htdocs/langs/ka_GE/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ka_GE/hrm.lang b/htdocs/langs/ka_GE/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/ka_GE/hrm.lang +++ b/htdocs/langs/ka_GE/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/ka_GE/install.lang b/htdocs/langs/ka_GE/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/ka_GE/install.lang +++ b/htdocs/langs/ka_GE/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang index 2082506c405..adbc443198f 100644 --- a/htdocs/langs/ka_GE/main.lang +++ b/htdocs/langs/ka_GE/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ka_GE/modulebuilder.lang b/htdocs/langs/ka_GE/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ka_GE/modulebuilder.lang +++ b/htdocs/langs/ka_GE/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ka_GE/mrp.lang b/htdocs/langs/ka_GE/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/ka_GE/mrp.lang +++ b/htdocs/langs/ka_GE/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/ka_GE/projects.lang +++ b/htdocs/langs/ka_GE/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ka_GE/receptions.lang b/htdocs/langs/ka_GE/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/ka_GE/receptions.lang +++ b/htdocs/langs/ka_GE/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ka_GE/stocks.lang b/htdocs/langs/ka_GE/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/ka_GE/stocks.lang +++ b/htdocs/langs/ka_GE/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ka_GE/ticket.lang b/htdocs/langs/ka_GE/ticket.lang index 46b41c2f958..a9cff9391d0 100644 --- a/htdocs/langs/ka_GE/ticket.lang +++ b/htdocs/langs/ka_GE/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/ka_GE/website.lang b/htdocs/langs/ka_GE/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/ka_GE/website.lang +++ b/htdocs/langs/ka_GE/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ka_GE/withdrawals.lang b/htdocs/langs/ka_GE/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/ka_GE/withdrawals.lang +++ b/htdocs/langs/ka_GE/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/km_KH/accountancy.lang b/htdocs/langs/km_KH/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/km_KH/accountancy.lang +++ b/htdocs/langs/km_KH/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/km_KH/admin.lang b/htdocs/langs/km_KH/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/km_KH/admin.lang +++ b/htdocs/langs/km_KH/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/km_KH/agenda.lang b/htdocs/langs/km_KH/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/km_KH/agenda.lang +++ b/htdocs/langs/km_KH/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/km_KH/banks.lang b/htdocs/langs/km_KH/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/km_KH/banks.lang +++ b/htdocs/langs/km_KH/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/km_KH/bills.lang b/htdocs/langs/km_KH/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/km_KH/bills.lang +++ b/htdocs/langs/km_KH/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/km_KH/cashdesk.lang b/htdocs/langs/km_KH/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/km_KH/cashdesk.lang +++ b/htdocs/langs/km_KH/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/km_KH/categories.lang b/htdocs/langs/km_KH/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/km_KH/categories.lang +++ b/htdocs/langs/km_KH/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/km_KH/companies.lang b/htdocs/langs/km_KH/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/km_KH/companies.lang +++ b/htdocs/langs/km_KH/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/km_KH/errors.lang b/htdocs/langs/km_KH/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/km_KH/errors.lang +++ b/htdocs/langs/km_KH/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/km_KH/hrm.lang b/htdocs/langs/km_KH/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/km_KH/hrm.lang +++ b/htdocs/langs/km_KH/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/km_KH/install.lang b/htdocs/langs/km_KH/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/km_KH/install.lang +++ b/htdocs/langs/km_KH/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang index e35d169066d..e5ad284bbb5 100644 --- a/htdocs/langs/km_KH/main.lang +++ b/htdocs/langs/km_KH/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/km_KH/modulebuilder.lang b/htdocs/langs/km_KH/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/km_KH/modulebuilder.lang +++ b/htdocs/langs/km_KH/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/km_KH/mrp.lang b/htdocs/langs/km_KH/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/km_KH/mrp.lang +++ b/htdocs/langs/km_KH/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/km_KH/other.lang b/htdocs/langs/km_KH/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/km_KH/other.lang +++ b/htdocs/langs/km_KH/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/km_KH/products.lang b/htdocs/langs/km_KH/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/km_KH/projects.lang b/htdocs/langs/km_KH/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/km_KH/projects.lang +++ b/htdocs/langs/km_KH/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/km_KH/receptions.lang b/htdocs/langs/km_KH/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/km_KH/receptions.lang +++ b/htdocs/langs/km_KH/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/km_KH/stocks.lang b/htdocs/langs/km_KH/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/km_KH/stocks.lang +++ b/htdocs/langs/km_KH/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/km_KH/ticket.lang b/htdocs/langs/km_KH/ticket.lang index 46b41c2f958..a9cff9391d0 100644 --- a/htdocs/langs/km_KH/ticket.lang +++ b/htdocs/langs/km_KH/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/km_KH/website.lang b/htdocs/langs/km_KH/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/km_KH/website.lang +++ b/htdocs/langs/km_KH/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/km_KH/withdrawals.lang b/htdocs/langs/km_KH/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/km_KH/withdrawals.lang +++ b/htdocs/langs/km_KH/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/kn_IN/accountancy.lang b/htdocs/langs/kn_IN/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/kn_IN/accountancy.lang +++ b/htdocs/langs/kn_IN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index b2c9e35f1e6..d3a244021da 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=ಮೂರನೇ ಪಕ್ಷಗಳು MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/kn_IN/agenda.lang b/htdocs/langs/kn_IN/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/kn_IN/agenda.lang +++ b/htdocs/langs/kn_IN/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang index c2e4e2e3433..3c70f7389b7 100644 --- a/htdocs/langs/kn_IN/banks.lang +++ b/htdocs/langs/kn_IN/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang index 43b5460d816..5feef84fcd3 100644 --- a/htdocs/langs/kn_IN/bills.lang +++ b/htdocs/langs/kn_IN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/kn_IN/cashdesk.lang b/htdocs/langs/kn_IN/cashdesk.lang index 0b220155882..11a53c6a08d 100644 --- a/htdocs/langs/kn_IN/cashdesk.lang +++ b/htdocs/langs/kn_IN/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/kn_IN/categories.lang b/htdocs/langs/kn_IN/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/kn_IN/categories.lang +++ b/htdocs/langs/kn_IN/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/kn_IN/companies.lang b/htdocs/langs/kn_IN/companies.lang index a327eeb7562..0c231bd09df 100644 --- a/htdocs/langs/kn_IN/companies.lang +++ b/htdocs/langs/kn_IN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection ಪ್ರದೇಶ IdThirdParty=ತೃತೀಯ ಪಕ್ಷದ ಗುರುತು IdCompany=ಸಂಸ್ಥೆಯ ಗುರುತು IdContact=ಸಂಪರ್ಕದ ಗುರುತು -Contacts=ಸಂಪರ್ಕಗಳು / ವಿಳಾಸಗಳು ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=ಸಂಸ್ಥೆ @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=ಸಂಪರ್ಕವನ್ನು ತಿದ್ದಿ EditContactAddress=ಸಂಪರ್ಕ / ವಿಳಾಸವನ್ನು ತಿದ್ದಿ -Contact=ಸಂಪರ್ಕ +Contact=Contact/Address +Contacts=ಸಂಪರ್ಕಗಳು / ವಿಳಾಸಗಳು ContactId=Contact id ContactsAddresses=ಸಂಪರ್ಕಗಳು / ವಿಳಾಸಗಳು FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted="%s" ಸಂಸ್ಥೆಯನ್ನು ಡೇಟಾಬೇಸ್- ListOfContacts=ಸಂಪರ್ಕಗಳ / ವಿಳಾಸಗಳ ಪಟ್ಟಿ ListOfContactsAddresses=ಸಂಪರ್ಕಗಳ / ವಿಳಾಸಗಳ ಪಟ್ಟಿ ListOfThirdParties=List of Third Parties -ShowContact=ಸಂಪರ್ಕವನ್ನು ತೋರಿಸಿ +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=ಎಲ್ಲಾ (ಸೋಸಿಲ್ಲದ) ContactType=ಸಂಪರ್ಕದ ಮಾದರಿ ContactForOrders=ಆರ್ಡರ್ ಸಂಪರ್ಕ @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=ತೆರೆಯಲಾಗಿದೆ ActivityCeased=ಮುಚ್ಚಲಾಗಿದೆ diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/kn_IN/errors.lang +++ b/htdocs/langs/kn_IN/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/kn_IN/hrm.lang b/htdocs/langs/kn_IN/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/kn_IN/hrm.lang +++ b/htdocs/langs/kn_IN/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/kn_IN/install.lang b/htdocs/langs/kn_IN/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/kn_IN/install.lang +++ b/htdocs/langs/kn_IN/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang index 1bc3ff31efb..47b40caa689 100644 --- a/htdocs/langs/kn_IN/main.lang +++ b/htdocs/langs/kn_IN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/kn_IN/modulebuilder.lang b/htdocs/langs/kn_IN/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/kn_IN/modulebuilder.lang +++ b/htdocs/langs/kn_IN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/kn_IN/mrp.lang b/htdocs/langs/kn_IN/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/kn_IN/mrp.lang +++ b/htdocs/langs/kn_IN/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index 4f4d283f203..6f1c0edfbb3 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang index cea4640f10b..ececf240ce1 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/kn_IN/projects.lang +++ b/htdocs/langs/kn_IN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/kn_IN/receptions.lang b/htdocs/langs/kn_IN/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/kn_IN/receptions.lang +++ b/htdocs/langs/kn_IN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/kn_IN/stocks.lang b/htdocs/langs/kn_IN/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/kn_IN/stocks.lang +++ b/htdocs/langs/kn_IN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/kn_IN/ticket.lang b/htdocs/langs/kn_IN/ticket.lang index bccc35a9ff9..8aeaf83456f 100644 --- a/htdocs/langs/kn_IN/ticket.lang +++ b/htdocs/langs/kn_IN/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/kn_IN/website.lang b/htdocs/langs/kn_IN/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/kn_IN/website.lang +++ b/htdocs/langs/kn_IN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/kn_IN/withdrawals.lang b/htdocs/langs/kn_IN/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/kn_IN/withdrawals.lang +++ b/htdocs/langs/kn_IN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/ko_KR/accountancy.lang b/htdocs/langs/ko_KR/accountancy.lang index 3cb63bca795..7ce7f73a40e 100644 --- a/htdocs/langs/ko_KR/accountancy.lang +++ b/htdocs/langs/ko_KR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index cb4c843759a..ba12993a9bf 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=다음 값(청구서) NextValueForCreditNotes=다음 값(크레딧 기록) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=PHP 설정에서 한도가 설정되어 있지 않습니다. MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=신규 +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=협력업체 MailToMember=구성원 MailToUser=사용자 MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ko_KR/agenda.lang b/htdocs/langs/ko_KR/agenda.lang index fa408e70546..883aac0ae7c 100644 --- a/htdocs/langs/ko_KR/agenda.lang +++ b/htdocs/langs/ko_KR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=시작일 @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang index 023dfcacf21..637186d91a9 100644 --- a/htdocs/langs/ko_KR/banks.lang +++ b/htdocs/langs/ko_KR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang index 8c4825d0a10..ee01ee561d5 100644 --- a/htdocs/langs/ko_KR/bills.lang +++ b/htdocs/langs/ko_KR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=할인 SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ko_KR/cashdesk.lang b/htdocs/langs/ko_KR/cashdesk.lang index 503a4395ecf..4abd281a85a 100644 --- a/htdocs/langs/ko_KR/cashdesk.lang +++ b/htdocs/langs/ko_KR/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang index a51026ba65b..0487220e12c 100644 --- a/htdocs/langs/ko_KR/categories.lang +++ b/htdocs/langs/ko_KR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ko_KR/companies.lang b/htdocs/langs/ko_KR/companies.lang index 85c206ffc06..b700c94d963 100644 --- a/htdocs/langs/ko_KR/companies.lang +++ b/htdocs/langs/ko_KR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=매장 지역 IdThirdParty=협력업체 ID IdCompany=회사 ID IdContact=담당자 ID -Contacts=연락처 / 주소 ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=회사 @@ -298,7 +297,8 @@ AddContact=연락처 생성 AddContactAddress=연락처 / 주소 생성 EditContact=연락처 편집 EditContactAddress=연락처 / 주소 편집 -Contact=연락처 +Contact=Contact/Address +Contacts=연락처 / 주소 ContactId=담당자 ID ContactsAddresses=연락처 / 주소 FromContactName=이름: @@ -325,7 +325,8 @@ CompanyDeleted=회사 "%s"이 (가) 데이터베이스에서 삭제되었습니 ListOfContacts=연락처 / 주소 목록 ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=연락처 표시 +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=모두 (필터 없음) ContactType=연락처 유형 ContactForOrders=주문 연락처 @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=열기 ActivityCeased=닫음 diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/ko_KR/errors.lang +++ b/htdocs/langs/ko_KR/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ko_KR/hrm.lang b/htdocs/langs/ko_KR/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/ko_KR/hrm.lang +++ b/htdocs/langs/ko_KR/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/ko_KR/install.lang b/htdocs/langs/ko_KR/install.lang index 34634c92c71..057b374322f 100644 --- a/htdocs/langs/ko_KR/install.lang +++ b/htdocs/langs/ko_KR/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang index 76bd10ca370..8480b1274e9 100644 --- a/htdocs/langs/ko_KR/main.lang +++ b/htdocs/langs/ko_KR/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=사용 가능한 대체 변수 NoTranslation=번역 없음 Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=레코드를 찾을 수 없습니다 NoRecordDeleted=레코드가 삭제되지 않았습니다. NotEnoughDataYet=데이터가 충분하지 않습니다. @@ -187,6 +187,8 @@ ShowCardHere=카드보기 Search=검색 SearchOf=검색 SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=유효한 Approve=승인 Disapprove=부결 @@ -426,6 +428,7 @@ Modules=모듈 / 응용 프로그램 Option=옵션 List=목록 FullList=전체 목록 +FullConversation=Full conversation Statistics=통계 OtherStatistics=기타 통계 Status=상태 @@ -663,6 +666,7 @@ Owner=소유자 FollowingConstantsWillBeSubstituted=다음 상수는 해당 값으로 바뀝니다. Refresh=새로고침 BackToList=목록으로 되돌아 가기 +BackToTree=Back to tree GoBack=되돌아 가기 CanBeModifiedIfOk=유효한 경우 수정할 수 있습니다. CanBeModifiedIfKo=유효하지 않은 경우 수정할 수 있습니다. @@ -839,6 +843,7 @@ Sincerely=친애하는 ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=행 삭제 ConfirmDeleteLine=이 행을 삭제 하시겠습니까? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=확인 된 레코드 중 문서 생성에 사용할 수있는 PDF가 없습니다. TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=선택한 레코드가 없습니다. @@ -953,12 +958,13 @@ SearchIntoMembers=구성원 SearchIntoUsers=사용자 SearchIntoProductsOrServices=제품 또는 서비스 SearchIntoProjects=프로젝트 +SearchIntoMO=Manufacturing Orders SearchIntoTasks=할 일 SearchIntoCustomerInvoices=고객 송장 SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=고객 제안 +SearchIntoCustomerProposals=상업적 제안 SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=중재 SearchIntoContracts=계약서 @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ko_KR/modulebuilder.lang b/htdocs/langs/ko_KR/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ko_KR/modulebuilder.lang +++ b/htdocs/langs/ko_KR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ko_KR/mrp.lang b/htdocs/langs/ko_KR/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/ko_KR/mrp.lang +++ b/htdocs/langs/ko_KR/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index d934e284774..84c88766bf0 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang index e7309818946..40e6d3404c6 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang index 91a09d7867d..af86e74d88e 100644 --- a/htdocs/langs/ko_KR/projects.lang +++ b/htdocs/langs/ko_KR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ko_KR/receptions.lang b/htdocs/langs/ko_KR/receptions.lang index 33b2de654ec..7ddcf5a2cf0 100644 --- a/htdocs/langs/ko_KR/receptions.lang +++ b/htdocs/langs/ko_KR/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ko_KR/stocks.lang b/htdocs/langs/ko_KR/stocks.lang index 912242c1f5f..bd46c0ae008 100644 --- a/htdocs/langs/ko_KR/stocks.lang +++ b/htdocs/langs/ko_KR/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ko_KR/ticket.lang b/htdocs/langs/ko_KR/ticket.lang index 975d9d72917..c6430580fbd 100644 --- a/htdocs/langs/ko_KR/ticket.lang +++ b/htdocs/langs/ko_KR/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/ko_KR/website.lang b/htdocs/langs/ko_KR/website.lang index 87518e26e88..dd0eb4d8949 100644 --- a/htdocs/langs/ko_KR/website.lang +++ b/htdocs/langs/ko_KR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ko_KR/withdrawals.lang b/htdocs/langs/ko_KR/withdrawals.lang index a49e46a47a2..71fe21550ec 100644 --- a/htdocs/langs/ko_KR/withdrawals.lang +++ b/htdocs/langs/ko_KR/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=거부 LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang index 6505792d2df..18767496e2f 100644 --- a/htdocs/langs/lo_LA/accountancy.lang +++ b/htdocs/langs/lo_LA/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 5de7dc50ed7..191bcee12fe 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/lo_LA/agenda.lang b/htdocs/langs/lo_LA/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/lo_LA/agenda.lang +++ b/htdocs/langs/lo_LA/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang index 921c3d3894e..0714e6d3ea8 100644 --- a/htdocs/langs/lo_LA/banks.lang +++ b/htdocs/langs/lo_LA/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/lo_LA/cashdesk.lang b/htdocs/langs/lo_LA/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/lo_LA/cashdesk.lang +++ b/htdocs/langs/lo_LA/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/lo_LA/categories.lang b/htdocs/langs/lo_LA/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/lo_LA/categories.lang +++ b/htdocs/langs/lo_LA/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/lo_LA/companies.lang b/htdocs/langs/lo_LA/companies.lang index f9972f0f228..22059f348ec 100644 --- a/htdocs/langs/lo_LA/companies.lang +++ b/htdocs/langs/lo_LA/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/lo_LA/errors.lang +++ b/htdocs/langs/lo_LA/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/lo_LA/hrm.lang b/htdocs/langs/lo_LA/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/lo_LA/hrm.lang +++ b/htdocs/langs/lo_LA/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/lo_LA/install.lang b/htdocs/langs/lo_LA/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/lo_LA/install.lang +++ b/htdocs/langs/lo_LA/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index f8dfd03a55c..3e3c7ed437f 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=ລາຍການ FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/lo_LA/modulebuilder.lang b/htdocs/langs/lo_LA/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/lo_LA/modulebuilder.lang +++ b/htdocs/langs/lo_LA/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/lo_LA/mrp.lang b/htdocs/langs/lo_LA/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/lo_LA/mrp.lang +++ b/htdocs/langs/lo_LA/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 7141983af57..f611612ab3f 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index a34414a263d..2e0cb4da31f 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index 45749567b65..5fa788010bf 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/lo_LA/receptions.lang b/htdocs/langs/lo_LA/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/lo_LA/receptions.lang +++ b/htdocs/langs/lo_LA/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/lo_LA/stocks.lang b/htdocs/langs/lo_LA/stocks.lang index 81d2a303829..0336dcedeec 100644 --- a/htdocs/langs/lo_LA/stocks.lang +++ b/htdocs/langs/lo_LA/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/lo_LA/ticket.lang b/htdocs/langs/lo_LA/ticket.lang index bbce6040306..6f4cbb04b94 100644 --- a/htdocs/langs/lo_LA/ticket.lang +++ b/htdocs/langs/lo_LA/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/lo_LA/website.lang b/htdocs/langs/lo_LA/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/lo_LA/website.lang +++ b/htdocs/langs/lo_LA/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/lo_LA/withdrawals.lang b/htdocs/langs/lo_LA/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/lo_LA/withdrawals.lang +++ b/htdocs/langs/lo_LA/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/lt_LT/accountancy.lang b/htdocs/langs/lt_LT/accountancy.lang index d0689dd8625..bcc3c614012 100644 --- a/htdocs/langs/lt_LT/accountancy.lang +++ b/htdocs/langs/lt_LT/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Kad ateityje sutaupytumėte laiko, turėtumėte AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=ŽINGSNIS %s: Sukurkite arba patikrinkite savo žurnalo turinį iš meniu %s -AccountancyAreaDescChartModel=ŽINGSNIS %s: sukurkite sąskaitų plano modelį iš meniu %s -AccountancyAreaDescChart=ŽINGSNIS %s: sukurkite arba patikrinkite savo sąskaitų planą iš meniu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=ŽINGSNIS %s: nustatykite kiekvieno PVM tarifo apskaitos sąskaitas. Tam naudokite meniu punktą %s. AccountancyAreaDescDefault=ŽINGSNIS %s: nustatykite numatytąsias apskaitos sąskaitas. Tam naudokite meniu punktą %s. diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index dab8c8ed04e..73d909abfb1 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Sekanti vertė (sąskaitos) NextValueForCreditNotes=Sekanti verte (kredito žymės) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Kita vertė (papildymas) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=PHP konfiguracijoje ribos nepritaikytos MaxSizeForUploadedFiles=Didžiausias įkeliamo failo dydis (0 - uždrausti betkokius įkėlimus) UseCaptchaCode=Prisijungimo puslapyje naudoti grafinį kodą (CAPTCHA) @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Naujas +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, oficiali Dolibarr ERP / CRM išorinių modulių parduotuvė -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Įveskite telefono numerį, kuriuo skambinsite norėdami p RefreshPhoneLink=Atnaujinti nuorodą LinkToTest=Sugeneruota paspaudžiama nuoroda vartotojui%s (surinkite telefono numerį išbandymui) KeepEmptyToUseDefault=Palikti tuščią norint naudoti reikšmę pagal nutylėjimą +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Nustatytoji nuoroda SetAsDefault=Set as default ValueOverwrittenByUserSetup=Įspėjimas, ši reikšmė gali būti perrašyta pagal vartotojo specifines nuostatas (kiekvienas vartotojas gali nustatyti savo clicktodial URL) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Masiniss brūkšninių kodų paleidimas arba atstatymas produktams ar paslaugoms CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Pažymėti vertę kitiems %s tuštiems įrašams @@ -541,8 +542,8 @@ Module54Name=Sutartys / Abonentai Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Brūkšniniai kodai Module55Desc=Brūkšninių kodų valdymas -Module56Name=Telefonija -Module56Desc=Telefonijos integracija +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=Norint įjungti modulius, reikia eiti į Nuostatų meniu (Pagrindinis-> Nuostatos-> Moduliai). SessionTimeOut=Sesijos laikas pasibaigė 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. TriggersAvailable=Galimi trigeriai TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Trigeriai šiame faile yra išjungti, panaudojant priesagą -NORUN jų pavadinimuose. @@ -1262,6 +1264,7 @@ FieldEdition=Lauko %s redagavimas FillThisOnlyIfRequired=Pavyzdys: +2 (pildyti tik tuomet, jei laiko juostos nuokrypio problemos yra žymios) GetBarCode=Gauti brūkšninį kodą NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Grąžinti pagal vidinį Dolibarr algoritmą sugeneruotą slaptažodį: 8 simbolių, kuriuose yra bendri skaičiai ir mažosios raidės. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Trečiosios šalys MailToMember=Nariai MailToUser=Vartotojai MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/lt_LT/agenda.lang b/htdocs/langs/lt_LT/agenda.lang index da5c6d46f2c..cfa35f50de5 100644 --- a/htdocs/langs/lt_LT/agenda.lang +++ b/htdocs/langs/lt_LT/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Pradžios data @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang index 45cefaa723f..636c5071260 100644 --- a/htdocs/langs/lt_LT/banks.lang +++ b/htdocs/langs/lt_LT/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Sąskaitos išrašas AccountStatementShort=Suvestinė AccountStatements=Sąskaitos suvestinės diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index c39c8d7715c..1036f0a63d5 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Siūloma nuolaida (mokėjimas prieš terminą) EscompteOfferedShort=Nuolaida SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Nėra sąskaitų-faktūrų projektų NoOtherDraftBills=Nėra kitų sąskaitų-faktūrų projektų NoDraftInvoices=Nėra sąskaitų-faktūrų projektų @@ -572,3 +570,6 @@ AutoFillDateToShort=Nustatykite pabaigos datą MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/lt_LT/cashdesk.lang b/htdocs/langs/lt_LT/cashdesk.lang index c78fbe486a8..4762d560ffd 100644 --- a/htdocs/langs/lt_LT/cashdesk.lang +++ b/htdocs/langs/lt_LT/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/lt_LT/categories.lang b/htdocs/langs/lt_LT/categories.lang index 2c944502b1a..a4a4d42facc 100644 --- a/htdocs/langs/lt_LT/categories.lang +++ b/htdocs/langs/lt_LT/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ši kategorija neturi jokių produktų. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ši kategorija neturi jokių klientų. -ThisCategoryHasNoMember=Ši kategorija neturi jokių narių. -ThisCategoryHasNoContact=Ši kategorija neturi jokių adresatų -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/lt_LT/companies.lang b/htdocs/langs/lt_LT/companies.lang index 15368db9c20..94cad3cf3aa 100644 --- a/htdocs/langs/lt_LT/companies.lang +++ b/htdocs/langs/lt_LT/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Numatoma sritis IdThirdParty=Trečiosios šalies ID IdCompany=Įmonės ID IdContact=Adresato ID -Contacts=Adresatai/adresai ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Įmonė @@ -298,7 +297,8 @@ AddContact=Sukurti kontaktą AddContactAddress=Sukurti kontaktą / adresą EditContact=Redaguoti adresatą EditContactAddress=Redaguoti kontaktą/adresą -Contact=Kontaktas +Contact=Contact/Address +Contacts=Adresatai/adresai ContactId=Contact id ContactsAddresses=Kontaktai/Adresai FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Įmonė "%s" ištrinta iš duomenų bazės. ListOfContacts=Kontaktų/adresų sąrašas ListOfContactsAddresses=Kontaktų/adresų sąrašas ListOfThirdParties=List of Third Parties -ShowContact=Rodyti kontaktus +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Visi (nėra filtro) ContactType=Kontakto tipas ContactForOrders=Užsakymo kontaktai @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Atidaryta ActivityCeased=Uždarytas diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang index f1e9b03723b..faac464ddac 100644 --- a/htdocs/langs/lt_LT/errors.lang +++ b/htdocs/langs/lt_LT/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/lt_LT/hrm.lang b/htdocs/langs/lt_LT/hrm.lang index 6b5922d7fed..d5b3bbfa340 100644 --- a/htdocs/langs/lt_LT/hrm.lang +++ b/htdocs/langs/lt_LT/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Darbuotojas diff --git a/htdocs/langs/lt_LT/install.lang b/htdocs/langs/lt_LT/install.lang index aee5facec48..af14dc609af 100644 --- a/htdocs/langs/lt_LT/install.lang +++ b/htdocs/langs/lt_LT/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang index a102b3af53d..f4c96047de6 100644 --- a/htdocs/langs/lt_LT/main.lang +++ b/htdocs/langs/lt_LT/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=Nėra vertimo Translation=Vertimas -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Įrašų nerasta NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Rodyti kortelę Search=Ieškoti SearchOf=Ieškoti SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Galiojantis Approve=Patvirtinti Disapprove=Nepritarti @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Opcija List=Sąrašas FullList=Pilnas sąrašas +FullConversation=Full conversation Statistics=Statistika OtherStatistics=Kiti statistika Status=Būklė @@ -663,6 +666,7 @@ Owner=Savininkas FollowingConstantsWillBeSubstituted=Šios konstantos bus pakeistos atitinkamomis reikšmėmis Refresh=Atnaujinti BackToList=Atgal į sąrašą +BackToTree=Back to tree GoBack=Grįžti atgal CanBeModifiedIfOk=Gali būti keičiamas, jei yra galiojantis CanBeModifiedIfKo=Gali būti keičiamas, jei negaliojantis @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Ištrinti eilutę ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Nariai SearchIntoUsers=Vartotojai SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projektai +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Uždaviniai SearchIntoCustomerInvoices=Klientų sąskaitos faktūros SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Komerciniai pasiūlymai SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Intervencijos SearchIntoContracts=Sutartys @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/lt_LT/modulebuilder.lang b/htdocs/langs/lt_LT/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/lt_LT/modulebuilder.lang +++ b/htdocs/langs/lt_LT/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/lt_LT/mrp.lang b/htdocs/langs/lt_LT/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/lt_LT/mrp.lang +++ b/htdocs/langs/lt_LT/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index eb5f8859117..a85a056879d 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -85,8 +85,8 @@ MaxSize=Maksimalus dydis AttachANewFile=Pridėti naują failą/dokumentą LinkedObject=Susietas objektas NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang index 1a0255b9370..09e164fc556 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=Paskutiniai %s modifikuoti produktai/paslaugos +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Produktas @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Pastaba (nematoma ant sąskaitų-faktūrų, pasiūlymų ... ServiceLimitedDuration=Jei produktas yra paslauga su ribota trukme: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Kainų skaičius +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Produktų, sudarančių šį virtualų produktą, skaičius diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index 074a445c738..5b1208ceb71 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Nėra šio privataus projekto savininkas AffectedTo=Paskirta -CantRemoveProject=Šis projektas negali būti pašalintas, nes yra susijęs su kai kuriais kitais objektais (sąskaitos-faktūros, užsakymai ar kiti). Žiūrėti nukreipimų lentelę. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Patvirtinti projektą ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Uždaryti projektą @@ -265,3 +265,4 @@ NewInvoice=Nauja sąskaita-faktūra OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/lt_LT/receptions.lang b/htdocs/langs/lt_LT/receptions.lang index 0d088c06447..139d15f89a5 100644 --- a/htdocs/langs/lt_LT/receptions.lang +++ b/htdocs/langs/lt_LT/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang index 2d72309f331..b7433267ff6 100644 --- a/htdocs/langs/lt_LT/stocks.lang +++ b/htdocs/langs/lt_LT/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Sandėlių vertė UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Kiekis išsiųstas QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Sandėlis %s bus naudojamos atsargų sumažėji WarehouseForStockIncrease=Sandėlis %s bus naudojamos atsargų padidėjimui ForThisWarehouse=Šiam sandėliui ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Papildymai NbOfProductBeforePeriod=Produkto %s kiekis atsargose iki pasirinkto periodo (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/lt_LT/ticket.lang b/htdocs/langs/lt_LT/ticket.lang index 22ddaec9243..dbb65c319d9 100644 --- a/htdocs/langs/lt_LT/ticket.lang +++ b/htdocs/langs/lt_LT/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupė TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/lt_LT/website.lang b/htdocs/langs/lt_LT/website.lang index 579db61e1ce..c0018d791c2 100644 --- a/htdocs/langs/lt_LT/website.lang +++ b/htdocs/langs/lt_LT/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS mechanizmas +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/lt_LT/withdrawals.lang b/htdocs/langs/lt_LT/withdrawals.lang index 4b86443e69a..ecf5904ccd5 100644 --- a/htdocs/langs/lt_LT/withdrawals.lang +++ b/htdocs/langs/lt_LT/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Tiesioginis mokėjimas į sąskaitą NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Apdoroti +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Dar negalima. Išėmimo būklė turi būti nustatyta "kredituota" prieš spec. eilučių atmetimo deklaravimą. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Išėmimo suma -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Atmetimai LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Perdavimo būdas Send=Siųsti Lines=Linijos StandingOrderReject=Išduoti atmetimą +WithdrawsRefused=Direct debit refused WithdrawalRefused=Išėmimas atmestas +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Ar tikrai norite įvesti išėmimo atmetimą visuomenei ? RefusedData=Atmetimo data RefusedReason=Atmetimo priežastis @@ -58,6 +76,8 @@ StatusMotif8=Kita priežastis CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Tik ofisas CreateBanque=Tik bankas OrderWaiting=Laukia apdorojimo @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nacionalinis siuntėjo numeris WithBankUsingRIB=Banko sąskaitoms, naudojančioms RIB WithBankUsingBANBIC=Banko sąskaitoms, naudojančioms IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kreditą WithdrawalFileNotCapable=Negalima sugeneruoti pajamų gavimo failo Jūsų šaliai %s (Šalis nepalaikoma programos) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Išėmimo failas SetToStatusSent=Nustatyti būklę "Failas išsiųstas" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Eilučių būklės statistika -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index 637831a8f1f..6b4ba7ad572 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Veicot nākamo darbību, lai nākotnē ietaupī AccountancyAreaDescActionFreq=Šīs darbības parasti tiek veiktas katru mēnesi, nedēļu vai dienu ļoti lieliem uzņēmumiem ... AccountancyAreaDescJournalSetup=Solis %s: izveidojiet vai pārbaudiet žurnāla satura saturu no izvēlnes %s -AccountancyAreaDescChartModel=Silis %s: izveidojiet konta diagrammas modeli no izvēlnes %s -AccountancyAreaDescChart=Solis %s: izveidojiet vai pārbaudiet sava konta diagrammas saturu no izvēlnes %s +AccountancyAreaDescChartModel=Solis %s: pārbaudiet, vai pastāv konta diagrammas modelis, vai izveidojiet to no izvēlnes %s +AccountancyAreaDescChart=Solis %s: izvēlnē %s atlasiet un vai aizpildiet kontu no izvēlnes. AccountancyAreaDescVat=Solis %s: definējiet katras PVN likmes grāmatvedības kontus. Izmantojiet izvēlnes ierakstu %s. AccountancyAreaDescDefault=Solis %s: definējiet noklusējuma grāmatvedības kontus. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Iesaistīto rēķinu līnijas ExpenseReportLines=Izdevumu atskaites līnijas, kas saistītas ExpenseReportLinesDone=Saistītās izdevumu pārskatu līnijas IntoAccount=Bind line ar grāmatvedības kontu -TotalForAccount=Total for accounting account +TotalForAccount=Kopā grāmatvedības kontā Ventilate=Saistīt @@ -234,10 +234,10 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Trešā puse nav ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Trešās puses konts nav definēts vai trešā persona nav zināma. Bloķēšanas kļūda. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nav noteikts nezināms trešās puses konts un gaidīšanas konts. Bloķēšanas kļūda PaymentsNotLinkedToProduct=Maksājums nav saistīts ar kādu produktu / pakalpojumu -OpeningBalance=Opening balance +OpeningBalance=Sākuma bilance ShowOpeningBalance=Rādīt sākuma atlikumu HideOpeningBalance=Slēpt sākuma atlikumu -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Rādīt starpsummu pa grupām Pcgtype=Kontu grupa PcgtypeDesc=Kontu grupa tiek izmantota kā iepriekš definēti “filtra” un “grupēšanas” kritēriji dažiem grāmatvedības pārskatiem. Piemēram, “IENĀKUMS” vai “IZDEVUMI” tiek izmantoti kā produktu uzskaites kontu grupas, lai izveidotu izdevumu / ienākumu pārskatu. @@ -317,13 +317,13 @@ Modelcsv_quadratus=Eksportēt Quadratus QuadraCompta Modelcsv_ebp=Eksportēt uz EBP Modelcsv_cogilog=Eksportēt uz Cogilog Modelcsv_agiris=Eksports uz Agiris -Modelcsv_LDCompta=Export for LD Compta (v9) (Test) +Modelcsv_LDCompta=Eksports LD Compta (v9) (pārbaude) Modelcsv_LDCompta10=Eksports LD Compta (v10 un jaunākiem) Modelcsv_openconcerto=Eksportēt OpenConcerto (tests) Modelcsv_configurable=Eksportēt CSV konfigurējamu Modelcsv_FEC=Eksporta FEC Modelcsv_Sage50_Swiss=Eksports uz Sage 50 Šveici -Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta +Modelcsv_winfic=Eksportēt Winfic - eWinfic - WinSis Compta ChartofaccountsId=Kontu konts. Id ## Tools - Init accounting account on product / service diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index c06873de562..222c0f80ccb 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -40,7 +40,7 @@ WebUserGroup=Web servera lietotājs/grupa NoSessionFound=Šķiet, ka jūsu PHP konfigurācija neļauj iekļaut aktīvās sesijas. Direktorija, kuru izmanto sesiju saglabāšanai (%s), var būt aizsargāta (piemēram, ar OS atļaujām vai PHP direktīvu open_basedir). DBStoringCharset=Datu bāzes kodējuma datu uzglabāšanai DBSortingCharset=Datu bāzes rakstzīmju kopa, lai kārtotu datus -HostCharset=Host charset +HostCharset=Resursdatora kopa ClientCharset=Klienta kodējums ClientSortingCharset=Klientu salīdzināšana WarningModuleNotActive=Modulim %s ir jābūt aktivizētam @@ -95,7 +95,7 @@ NextValueForInvoices=Nākošā vērtība (rēķini) NextValueForCreditNotes=Nākošā vērtība (kredīta piezīmes) NextValueForDeposit=Nākamā vērtība (pirmā iemaksa) NextValueForReplacements=Tālāk vērtība (nomaiņa) -MustBeLowerThanPHPLimit=Piezīme: jūsu PHP konfigurācija pašlaik ierobežo maksimālo faila lielumu, lai augšupielādētu %s %s, neatkarīgi no šī parametra vērtības +MustBeLowerThanPHPLimit=Piezīme: jūsu PHP konfigurācija šobrīd ierobežo maksimālo augšupielādējamā faila lielumu līdz %s %s, neatkarīgi no šī parametra vērtības NoMaxSizeByPHPLimit=Piezīme: Nav limits tiek noteikts jūsu PHP konfigurācijā MaxSizeForUploadedFiles=Maksimālais augšupielādējamo failu izmērs (0 nepieļaut failu augšupielādi) UseCaptchaCode=Izmantot grafisko kodu (CAPTCHA) pieteikšanās lapā @@ -207,7 +207,7 @@ ModulesMarketPlaces=Atrastt ārējo lietotni / moduļus ModulesDevelopYourModule=Izstrādājiet savu lietotni / moduļus ModulesDevelopDesc=Varat arī izveidot savu moduli vai atrast partneri, lai to izveidotu Jums. DOLISTOREdescriptionLong=Tā vietā, lai pārlūkotu www.dolistore.com tīmekļa vietni, lai atrastu ārēju moduli, varat izmantot šo iegulto rīku, kas veiks meklēšanu vietnē ārējā tirgus vieta jums (var būt lēns, nepieciešams interneta pieslēgums) ... -NewModule=Jauns +NewModule=Jauns modulis FreeModule=Bezmaksas CompatibleUpTo=Savietojams ar versiju %s NotCompatible=Šis modulis, šķiet, nav savietojams ar jūsu Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Jaunums AchatTelechargement=Pirkt / lejupielādēt GoModuleSetupArea=Lai izvietotu / instalētu jaunu moduli, dodieties uz moduļa iestatīšanas apgabalu: %s . DoliStoreDesc=DoliStore ir oficiālā mājaslapa Dolibarr ERP / CRM papildus moduļiem -DoliPartnersDesc=Uzņēmumi, kas piedāvā pielāgotus izstrādātus moduļus vai funkcijas.
Piezīme: tā kā Dolibarr ir atvērtā koda programma, ikviens , kurš ir pieredzējis PHP programmēšanā, var izveidot moduli. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Ārējās vietnes vairākiem papildinājumiem (bez kodols) moduļiem ... DevelopYourModuleDesc=Daži risinājumi, lai izstrādātu savu moduli ... URL=URL @@ -428,7 +428,7 @@ ExtrafieldCheckBox=Izvēles rūtiņas ExtrafieldCheckBoxFromList=Izvēles rūtiņas no tabulas ExtrafieldLink=Saite uz objektu ComputedFormula=Aprēķinātais lauks -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object.
WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example.
Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

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

Example to reload object
(($reloadedobj = new Societe($db)) && ($reloadedobj->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=Šeit var ievadīt formulu, izmantojot citas objekta īpašības vai jebkuru PHP kodējumu, lai iegūtu dinamisku aprēķinātu vērtību. Jūs varat izmantot jebkuras ar PHP saderīgas formulas, ieskaitot "?" nosacījuma operators un sekojošs globālais objekts: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
BRĪDINĀJUMS : Var būt pieejamas tikai dažas objekta $ īpašības. Ja jums nepieciešami rekvizīti, kas nav ielādēti, vienkārši ienesiet objektu savā formulā, piemēram, otrajā piemērā.
Izmantojot aprēķinātu lauku, nozīmē, ka no interfeisa nevar sev ievadīt nekādas vērtības. Turklāt, ja ir sintakse kļūda, formula var neko neatdot.

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

Piemērs objekta pārlādēšanai
(($ reloadedobj = jauna Societe ($ db)) && ($ reloadedobj-> fetchNoCompute) ($ obj-> id? $ obj-> id: ($ obj-> id: (ob ob-): > rowid: $ object-> id))> 0))? $ reloadedobj-> masīvs_options ['options_extrafieldkey'] * $ reloadedobj-> capital / 5: '-1'

Cits piemērs formulai, ar kuras palīdzību tiek piespiesta objekta un tā vecāka objekta ielāde:
(($ reloadedobj = new )) && ($ reloadedobj-> fetchNoCompute ($ object-> id)> 0) && ($ secondloadedobj = new Project ($ db)) && ($ secondloadedobj-> fetchNoCompute ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Vecāku projekts nav atrasts' Computedpersistent=Veikt aprēķinātu lauku ComputedpersistentDesc=Aprēķinātie papildu lauki tiks saglabāti datubāzē, taču vērtība tiks pārrēķināta tikai tad, kad mainīsies šī lauka objekts. Ja aprēķinātais lauks ir atkarīgs no citiem objektiem vai globāliem datiem, šī vērtība var būt nepareiza! ExtrafieldParamHelpPassword=Atstājot šo lauku tukšu, tas nozīmē, ka šī vērtība tiks saglabāta bez šifrēšanas (laukam jābūt paslēptai tikai ar zvaigznīti uz ekrāna).
Iestatiet 'auto', lai izmantotu noklusējuma šifrēšanas kārtulu, lai saglabātu paroli datubāzē (pēc tam vērtība lasīt būs ashh tikai, nav iespējams izgūt sākotnējo vērtību) @@ -446,12 +446,13 @@ LinkToTestClickToDial=Ievadiet tālruņa numuru, uz kuru zvanīt, lai parādītu RefreshPhoneLink=Atsvaidzināt LinkToTest=Klikšķināmos saites, kas izveidotas lietotāju %s (noklikšķiniet, tālruņa numuru, lai pārbaudītu) KeepEmptyToUseDefault=Saglabājiet tukšu, lai izmantotu noklusēto vērtību +KeepThisEmptyInMostCases=Vairumā gadījumu jūs varat atstāt šo lauku tukšu. DefaultLink=Noklusējuma saite SetAsDefault=Iestatīt kā noklusējumu ValueOverwrittenByUserSetup=Uzmanību, šī vērtība var pārrakstīt ar lietotāja konkrētu uzstādīšanu (katrs lietotājs var iestatīt savu klikšķini lai zvanītu URL) ExternalModule=Ārējais modulis InstalledInto=Instalēta direktorijā %s -BarcodeInitForthird-parties=Masveida svītru kodu veidošana trešajām personām +BarcodeInitForThirdparties=Masveida svītru kodu veidošana trešajām personām BarcodeInitForProductsOrServices=Masveida svītrkodu veidošana produktu vai pakalpojumu atiestatīšana CurrentlyNWithoutBarCode=Pašlaik jums ir %s ierakstu %s %s bez definēta svītrukoda. InitEmptyBarCode=Sākotnējā vērtība nākamajiem %s tukšajiem ierakstiem @@ -541,8 +542,8 @@ Module54Name=Līgumi / Abonementi Module54Desc=Līgumu (pakalpojumu vai regulāru abonēšanas) vadība Module55Name=Svītrkodi Module55Desc=Svītrkodu vadība -Module56Name=Telefonija -Module56Desc=Telefonijas integrācija +Module56Name=Maksājums ar pārskaitījumu +Module56Desc=Maksājuma pārvaldīšana, izmantojot kredīta pārveduma rīkojumus. Tas ietver SEPA faila ģenerēšanu Eiropas valstīm. Module57Name=Bankas tiešā debeta maksājumi Module57Desc=Tiešā debeta maksājuma uzdevumu pārvaldīšana. Tas ietver SEPA datnes izveidi Eiropas valstīm. Module58Name=NospiedLaiSavienotos @@ -1016,7 +1017,7 @@ LocalTax2IsUsedDescES=IRPF likme pēc noklusējuma, veidojot izredzes, rēķinus LocalTax2IsNotUsedDescES=Pēc noklusējuma ierosinātā IRPF ir 0. Beigas varu. LocalTax2IsUsedExampleES=Spānijā, ārštata un neatkarīgi profesionāļi, kas sniedz pakalpojumus un uzņēmumiem, kuri ir izvēlējušies nodokļu sistēmu moduļus. LocalTax2IsNotUsedExampleES=Spānijā šie uzņēmumi nav pakļauti moduļu nodokļu sistēmai. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. +RevenueStampDesc="Nodokļa zīmogs" vai "ieņēmumu zīmogs" ir fiksēts nodoklis, ko jūs maksājat par katru rēķinu (Tas nav atkarīgs no rēķina summas). Tas var būt arī procentos izteikts nodoklis, bet, izmantojot otrā vai trešā veida nodokļus, procentu maksājumiem ir labāk, jo nodokļu markas nesniedz pārskatu. Tikai dažas valstis izmanto šāda veida nodokļus. UseRevenueStamp=Izmantojiet nodokļu zīmogu UseRevenueStampExample=Nodokļu markas vērtību pēc noklusējuma definē vārdnīcu iestatīšanā (%s - %s - %s) CalcLocaltax=Ziņojumi par vietējiem nodokļiem @@ -1145,6 +1146,7 @@ AvailableModules=Pieejamās progrmma / moduļi ToActivateModule=Lai aktivizētu moduļus, dodieties uz iestatīšanas apgabalu (Sākums-> Iestatīšana-> Moduļi). SessionTimeOut=Sesijas pārtraukums SessionExplanation=Šis numurs garantē, ka sesija nekad nebeigsies pirms šīs kavēšanās, ja sesiju tīrāku veic iekšējā PHP sesiju tīrītājs (un nekas cits). Iekšējais PHP sesiju tīrītājs negarantē, ka sesija beigsies pēc šīs kavēšanās. Pēc šīs kavēšanās un sesijas tīrītāja palaišanas termiņš beigsies, līdz ar to katrs %s / %s piekļūst, bet tikai piekļuves laikā, ko veic citas sesijas (ja vērtība ir 0, tas nozīmē, ka ir pabeigta sesija piezīme: dažos serveros ar ārējo sesiju tīrīšanas mehānismu (cron zem debian, ubuntu ...) sesijas var iznīcināt pēc laika, kuru nosaka ārējs iestatījums neatkarīgi no tā, kāds Šeit ievadītā vērtība ir. +SessionsPurgedByExternalSystem=Šķiet, ka sesijas šajā serverī tiek iztīrītas ar ārēju mehānismu (cron zem debian, ubuntu ...), iespējams, ka katru %s sekundes (= parametra sesijas vērtība mainās, heref mainās. Jums jāprasa servera administratoram mainīt sesijas aizkavi. TriggersAvailable=Pieejamie aktivizētāji TriggersDesc=Trigeri ir faili, kas modificēs Dolibarr darbplūsmas darbību pēc tam, kad būs nokopēti direktorijā htdocs / core / triggers. Viņi realizē jaunas darbības, kas aktivizētas Dolibarr notikumos (jauna uzņēmuma izveide, rēķinu apstiprināšana, ...). TriggerDisabledByName=Trigeri Šajā failā ir invalīdi ar-NORUN piedēkli savu vārdu. @@ -1262,6 +1264,7 @@ FieldEdition=Izdevums lauka %s FillThisOnlyIfRequired=Piemērs: +2 (aizpildiet tikai, ja sastopaties ar problēmām) GetBarCode=Iegūt svītrukodu NumberingModules=Numerācijas modeļi +DocumentModules=Dokumentu modeļi ##### Module password generation PasswordGenerationStandard=Atgriešanās paroli radīts saskaņā ar iekšējo Dolibarr algoritmu: 8 rakstzīmēm, kas satur kopīgos ciparus un rakstzīmes mazie burti. PasswordGenerationNone=Neiesakām ģenerētu paroli. Parole jāieraksta manuāli. @@ -1273,7 +1276,7 @@ RuleForGeneratedPasswords=Noteikumi paroļu ģenerēšanai un apstiprināšanai DisableForgetPasswordLinkOnLogonPage=Nerādīt saiti "Aizmirsta parole" pieteikšanās lapā UsersSetup=Lietotāju moduļa uzstādīšana UserMailRequired=Lai izveidotu jaunu lietotāju, nepieciešams e-pasts -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) +UserHideInactive=Paslēpt neaktīvos lietotājus no visiem kombinētajiem lietotāju sarakstiem (Nav ieteicams: tas var nozīmēt, ka dažās lapās nevarēsit filtrēt vai meklēt vecos lietotājus) UsersDocModules=Dokumentu veidnes dokumentiem, kas ģenerēti no lietotāja ieraksta GroupsDocModules=Dokumentu veidnes dokumentiem, kas ģenerēti no grupas ieraksta ##### HRM setup ##### @@ -1805,7 +1808,7 @@ TopMenuDisableImages=Slēpt attēlus augšējā izvēlnē LeftMenuBackgroundColor=Fona krāsa kreisajai izvēlnei BackgroundTableTitleColor=Fona krāsa tabulas virsraksta līnijai BackgroundTableTitleTextColor=Teksta krāsa tabulas virsraksta rindai -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Tabulas nosaukuma saites līnijas teksta krāsa BackgroundTableLineOddColor=Background color for odd table lines BackgroundTableLineEvenColor=Background color for even table lines MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) @@ -1844,6 +1847,7 @@ MailToThirdparty=Trešās puses MailToMember=Dalībnieki MailToUser=Lietotāji MailToProject=Projektu lapa +MailToTicket=Pieteikumi ByDefaultInList=Rādīt pēc noklusējuma saraksta skatā YouUseLastStableVersion=Jūs izmantojat pēdējo stabilo versiju TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1939,7 +1943,7 @@ WithoutDolTrackingID=Ziņojuma ID nav atrasta Dolibarr atsauce FormatZip=Pasta indekss MainMenuCode=Izvēlnes ievades kods (mainmenu) ECMAutoTree=Rādīt automātisko ECM koku -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=Definējiet vērtības, kuras jāizmanto darbības objektam, vai kā iegūt vērtības. Piemēram:
objproperty1 = SET: vērtība, kas noteikta
objproperty2 = SET: vērtība nomainot __objproperty1__
objproperty3 = SETIFEMPTY: vērtība, ko izmanto, ja objproperty3 jau nav definēts
objproperty4 = ekstrakts: HEADER: X-Myheaderkey: \\ s * ([^ \\ s] *)
options_myextrafield1 = EKSTRAKTS: PRIEKŠMETS: ([^ & # 92; n] *)
object.objproperty5 = EXTRACT: BODY: Mana uzņēmuma nosaukums ir \\ ((^ ^ sf * *) a0342
Izmantojiet a; char kā atdalītājs, lai iegūtu vai iestatītu vairākas īpašības. OpeningHours=Darba laiks OpeningHoursDesc=Ievadiet šeit sava uzņēmuma pastāvīgo darba laiku. ResourceSetup=Resursu moduļa konfigurēšana @@ -1996,7 +2000,8 @@ EmailTemplate=E-pasta veidne EMailsWillHaveMessageID=E-pastam būs tags “Atsauces”, kas atbilst šai sintaksei PDF_USE_ALSO_LANGUAGE_CODE=Ja vēlaties, lai daži PDF faili tiktu dublēti 2 dažādās valodās tajā pašā ģenerētajā PDF failā, jums šeit ir jāiestata šī otrā valoda, lai ģenerētais PDF saturētu vienā un tajā pašā lappusē 2 dažādas valodas, vienu izvēloties, ģenerējot PDF, un šo ( tikai dažas PDF veidnes to atbalsta). Vienā PDF formātā atstājiet tukšumu 1 valodā. FafaIconSocialNetworksDesc=Šeit ievadiet FontAwesome ikonas kodu. Ja jūs nezināt, kas ir FontAwesome, varat izmantot vispārīgo vērtību fa-adrešu grāmata. +FeatureNotAvailableWithReceptionModule=Funkcija nav pieejama, ja ir iespējota moduļa uztveršana RssNote=Piezīme. Katra RSS plūsmas definīcija nodrošina logrīku, kas jums jāiespējo, lai tas būtu pieejams informācijas panelī JumpToBoxes=Pāriet uz Iestatīšana -> logrīki -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. +MeasuringUnitTypeDesc=Šeit izmantojiet tādas vērtības kā "lielums", "virsma", "tilpums", "svars", "laiks" +MeasuringScaleDesc=Skala ir to vietu skaits, kuras jums jāpārvieto aiz komata, lai atbilstu noklusējuma atsauces vienībai. "Laika" vienības tipam tas ir sekunžu skaits. Vērtības no 80 līdz 99 ir rezervētas vērtības. diff --git a/htdocs/langs/lv_LV/agenda.lang b/htdocs/langs/lv_LV/agenda.lang index c9b63f30891..b6bdc0705b3 100644 --- a/htdocs/langs/lv_LV/agenda.lang +++ b/htdocs/langs/lv_LV/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervence %s nosūtīta pa e-pastu ProposalDeleted=Piedāvājums dzēsts OrderDeleted=Pasūtījums dzēsts InvoiceDeleted=Rēķins dzēsts +DraftInvoiceDeleted=Rēķina melnraksts ir izdzēsts PRODUCT_CREATEInDolibarr=Produkts %s ir izveidots PRODUCT_MODIFYInDolibarr=Produkts %s ir labots PRODUCT_DELETEInDolibarr=Produkts %s dzēsts HOLIDAY_CREATEInDolibarr=Izveidots %s atvaļinājuma pieprasījums HOLIDAY_MODIFYInDolibarr=Atvaļinājuma pieprasījums %s labots HOLIDAY_APPROVEInDolibarr=Atvaļinājuma pieprasījums %s ir apstiprināts -HOLIDAY_VALIDATEDInDolibarr=%s atvaļinājuma pieprasījums ir apstiprināts +HOLIDAY_VALIDATEInDolibarr=%s atvaļinājuma pieprasījums ir apstiprināts HOLIDAY_DELETEInDolibarr=Pieprasījums atstāt %s ir izdzēsts EXPENSE_REPORT_CREATEInDolibarr=Izdevumu pārskats %s izveidots EXPENSE_REPORT_VALIDATEInDolibarr=Izdevumu pārskats %s ir apstiprināts @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM ir atspējots BOM_REOPENInDolibarr=BOM tiek atvērts no jauna BOM_DELETEInDolibarr=BOM ir izdzēsts MRP_MO_VALIDATEInDolibarr=MO apstiprināta +MRP_MO_UNVALIDATEInDolibarr=MO iestatīts uz melnraksta statusu MRP_MO_PRODUCEDInDolibarr=MO ražots MRP_MO_DELETEInDolibarr=MO ir izdzēsts +MRP_MO_CANCELInDolibarr=MO atcelts ##### End agenda events ##### AgendaModelModule=Dokumentu veidnes notikumam DateActionStart=Sākuma datums @@ -151,3 +154,6 @@ EveryMonth=Katru mēnesi DayOfMonth=Mēneša diena DayOfWeek=Nedēļas diena DateStartPlusOne=S'akuma datums + 1 stunda +SetAllEventsToTodo=Iestatiet, lai visi notikumi tiek uzlikti +SetAllEventsToInProgress=Iestatiet visus notiekošos pasākumus +SetAllEventsToFinished=Iestatiet, lai visi notikumi būtu pabeigti diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang index 79b78492d9a..f97aeb5f8e7 100644 --- a/htdocs/langs/lv_LV/banks.lang +++ b/htdocs/langs/lv_LV/banks.lang @@ -37,6 +37,8 @@ IbanValid=Derīgs BAN IbanNotValid=BAN nav derīgs StandingOrders=Tiešā debeta pasūtījumi StandingOrder=Tiešā debeta rīkojums +PaymentByBankTransfers=Maksājumi ar pārskaitījumu +PaymentByBankTransfer=Maksājums ar pārskaitījumu AccountStatement=Konta izraksts AccountStatementShort=Paziņojums AccountStatements=Konta izraksti diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index ec1e589cc9e..04c4bd8b603 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Piedāvāta atlaide (maksājums pirms termiņa) EscompteOfferedShort=Atlaide SendBillRef=Rēķina iesniegšana %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Tiešā debeta pasūtījumi -StandingOrder=Tiešā debeta pasūtījums NoDraftBills=Nav rēķinu sagataves NoOtherDraftBills=Nav citu sagatavotu rēķinu NoDraftInvoices=Nav projektu rēķini @@ -385,7 +383,7 @@ GeneratedFromTemplate=Izveidots no veidnes rēķina %s WarningInvoiceDateInFuture=Brīdinājums! Rēķina datums ir lielāks par pašreizējo datumu WarningInvoiceDateTooFarInFuture=Brīdinājums, rēķina datums ir pārāk tālu no pašreizējā datuma ViewAvailableGlobalDiscounts=Skatīt pieejamās atlaides -GroupPaymentsByModOnReports=Group payments by mode on reports +GroupPaymentsByModOnReports=Grupu maksājumi pēc režīmiem pārskatos # PaymentConditions Statut=Statuss PaymentConditionShortRECEP=Pienākas pēc saņemšanas @@ -572,3 +570,6 @@ AutoFillDateToShort=Iestatīt beigu datumu MaxNumberOfGenerationReached=Maksimālais gen. sasniedza BILL_DELETEInDolibarr=Rēķins dzēsts BILL_SUPPLIER_DELETEInDolibarr=Piegādātāja rēķins ir izdzēsts +UnitPriceXQtyLessDiscount=Vienības cena x Daudzums - Atlaide +CustomersInvoicesArea=Klientu norēķinu zona +SupplierInvoicesArea=Piegādātāja norēķinu zona diff --git a/htdocs/langs/lv_LV/cashdesk.lang b/htdocs/langs/lv_LV/cashdesk.lang index 690e8e84d6f..a0d385fd16b 100644 --- a/htdocs/langs/lv_LV/cashdesk.lang +++ b/htdocs/langs/lv_LV/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Pievienot šo preci RestartSelling=Iet atpakaļ uz pārdošanu SellFinished=Pārdošana pabeigta PrintTicket=Drukāt biļeti -SendTicket=Send ticket +SendTicket=Nosūtīt biļeti NoProductFound=Raksts nav atrasts ProductFound=Produkts atrasts NoArticle=Nav preču @@ -49,7 +49,7 @@ Footer=Kājene AmountAtEndOfPeriod=Summa perioda beigās (diena, mēnesis vai gads) TheoricalAmount=Teorētiskā summa RealAmount=Reālā summa -CashFence=Cash fence +CashFence=Naudas žogs CashFenceDone=Naudas žogs veikts par periodu NbOfInvoices=Rēķinu skaits Paymentnumpad=Padeves veids maksājuma ievadīšanai @@ -60,9 +60,9 @@ TakeposNeedsCategories=TakePOS ir nepieciešama produktu kategorija OrderNotes=Pasūtījuma piezīmes CashDeskBankAccountFor=Noklusējuma konts, ko izmantot maksājumiem NoPaimementModesDefined=TakePOS konfigurācijā nav definēts paiment režīms -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Grupējiet PVN pēc likmes biļetēs | kvītis +AutoPrintTickets=Automātiski drukāt biļetes | +PrintCustomerOnReceipts=Drukāt klientu uz biļetēm | EnableBarOrRestaurantFeatures=Iespējot bāra vai restorāna funkcijas ConfirmDeletionOfThisPOSSale=Vai jūsu apstiprinājums ir šīs pašreizējās pārdošanas dzēšana? ConfirmDiscardOfThisPOSSale=Vai vēlaties atmest šo pašreizējo izpārdošanu? @@ -90,19 +90,23 @@ HeadBar=Galvene SortProductField=Lauks produktu šķirošanai 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=External module with extra features. Posibility to print from the cloud. +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. ByTerminal=Ar termināli -TakeposNumpadUsePaymentIcon=Use payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos -CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +TakeposNumpadUsePaymentIcon=Izmantojiet maksājuma ikonu uz numpad +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 +ControlCashOpening=Kontrolējiet kasi, atverot poz +CloseCashFence=Aizveriet naudas žogu +CashReport=Skaidras naudas pārskats +MainPrinterToUse=Galvenais izmantojamais printeris +OrderPrinterToUse=Pasūtiet printeri izmantošanai +MainTemplateToUse=Galvenā izmantojamā veidne +OrderTemplateToUse=Izmantojamā pasūtījuma veidne +BarRestaurant=Bāra restorāns +AutoOrder=Klienta auto pasūtīšana +RestaurantMenu=Izvēlne +CustomerMenu=Klientu izvēlne diff --git a/htdocs/langs/lv_LV/categories.lang b/htdocs/langs/lv_LV/categories.lang index 9aa39f121d5..e971dcad433 100644 --- a/htdocs/langs/lv_LV/categories.lang +++ b/htdocs/langs/lv_LV/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Kontu atzīmes / sadaļas ProjectsCategoriesShort=Projektu tagi / sadaļas UsersCategoriesShort=Lietotāju atzīmes / kategorijas StockCategoriesShort=Noliktavas tagi / kategorijas -ThisCategoryHasNoProduct=Šī sadaļā nav produktu. -ThisCategoryHasNoSupplier=Šajā kategorijā nav pārdevēja. -ThisCategoryHasNoCustomer=Šī sadaļa nesatur klientu. -ThisCategoryHasNoMember=Šajā sadaļaā nav neviena dalībnieka. -ThisCategoryHasNoContact=Šajā kategorijā nav kontaktu. -ThisCategoryHasNoAccount=Šī sadaļā nav neviena konta. -ThisCategoryHasNoProject=Šī sadaļa nesatur nevienu projektu. +ThisCategoryHasNoItems=Šajā kategorijā nav nevienas preces. CategId=Tag /sadaļas ID CatSupList=Piegādātāju tagu / kategoriju saraksts CatCusList=Klientu / perspektīvu tagu / kategoriju saraksts @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Izvēlies sadaļu StocksCategoriesArea=Noliktavu kategoriju zona ActionCommCategoriesArea=Notikumu sadaļu zona +WebsitePagesCategoriesArea=Lapa-konteineru kategoriju zona UseOrOperatorForCategories=Izmantojiet vai operatoru kategorijām diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang index 5f304f004e7..824b0faf525 100644 --- a/htdocs/langs/lv_LV/companies.lang +++ b/htdocs/langs/lv_LV/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Apzināšanas lauks IdThirdParty=Trešās personas Id IdCompany=Uzņēmuma Id IdContact=Kontaktu ID -Contacts=Kontaktu / adreses ThirdPartyContacts=Trešās puses kontakti ThirdPartyContact=Trešās puses kontaktpersona/adrese Company=Uzņēmums @@ -298,7 +297,8 @@ AddContact=Izveidot kontaktu AddContactAddress=Izveidot kontaktu/adresi EditContact=Labot kontaktu EditContactAddress=Labot kontakta / adresi -Contact=Kontakts +Contact=Kontakts/adrese +Contacts=Kontaktu / adreses ContactId=Kontakta id ContactsAddresses=Kontaktu / adreses FromContactName=Vārds: @@ -325,7 +325,8 @@ CompanyDeleted=Kompānija "%s" dzēsta no datubāzes. ListOfContacts=Kontaktu / adrešu saraksts ListOfContactsAddresses=Kontaktu/adrešu saraksts ListOfThirdParties=Trešo personu saraksts -ShowContact=Rādīt kontaktu +ShowCompany=Trešā ballīte +ShowContact=Kontakts-adrese ContactsAllShort=Visi (Bez filtra) ContactType=Kontakta veids ContactForOrders=Pasutījumu kontakti @@ -424,7 +425,7 @@ ListSuppliersShort=Pārdevēju saraksts ListProspectsShort=Perspektīvu saraksts ListCustomersShort=Klientu saraksts ThirdPartiesArea=Trešās puses/Kontakti -LastModifiedThirdParties=Pēdējās %s labotās trešās puses +LastModifiedThirdParties=Jaunākās %s labiotās Trešās puses UniqueThirdParties=Trešo personu kopskaits InActivity=Atvērts ActivityCeased=Slēgts @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Tirdzniecības pārstāvja vārds SaleRepresentativeLastname=Tirdzniecības pārstāvja uzvārds ErrorThirdpartiesMerge=Pašalot trešās puses, radās kļūda. Lūdzu, pārbaudiet žurnālu. Izmaiņas ir atgrieztas. NewCustomerSupplierCodeProposed=Klienta vai pārdevēja kods jau ir izmantots, tiek piedāvāts jauns kods -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Atstājiet šo lauku tukšu, ja šī adrese ir vispārīga adrese #Imports PaymentTypeCustomer=Maksājuma veids - Klients PaymentTermsCustomer=Maksājuma noteikumi - Klients diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang index 7df0adea9f6..2e3ca1e5d05 100644 --- a/htdocs/langs/lv_LV/compta.lang +++ b/htdocs/langs/lv_LV/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Skatīt %s maksājumu analīzi %s, lai aprēķinātu SeeReportInDueDebtMode=Skatīt %srēķinu analīzi %s, lai aprēķiniem izmantotu zināmos reģistrētos rēķinus, pat ja tie vēl nav uzskaitīti Virsgrāmatā. SeeReportInBookkeepingMode=Lai skatītu Grāmatvedības grāmatvedības tabulu , skatiet %sBookBooking report%s RulesAmountWithTaxIncluded=- Uzrādītas summas ir ar visiem ieskaitot nodokļus -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Tas ietver nesamaksātos rēķinus, izdevumus, PVN, ziedojumus neatkarīgi no tā, vai tie ir samaksāti. Ietver arī algas.
- tas ir balstīts uz rēķinu izrakstīšanas datumu un izdevumu vai nodokļu samaksas termiņu. Algām, kas noteiktas ar Algas moduli, tiek izmantots maksājuma valutēšanas datums. RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
- It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Tajā ir iekļauti klienta rēķini, par kuriem ir samaksāts.
- tas ir balstīts uz šo rēķinu apmaksas datumu.
RulesCAIn=- Tas ietver visus no klientiem saņemto rēķinu faktiskos maksājumus.
- Tas ir balstīts uz šo rēķinu apmaksas datumu RulesCATotalSaleJournal=Tas ietver visas kredītlīnijas no pārdošanas žurnāla. RulesAmountOnInOutBookkeepingRecord=Tas ietver jūsu Ledger ierakstu ar grāmatvedības kontiem, kuriem ir grupa "IZDEVUMS" vai "IENĀKUMS" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Apgrozījums, par kuru tiek aprēķināta pārdošanas nodokļ TurnoverCollectedbyVatrate=Apgrozījums, kas iegūts, pārdodot nodokli PurchasebyVatrate=Iegāde pēc pārdošanas nodokļa likmes LabelToShow=Īsais nosaukums -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Pirkumu apgrozījums +PurchaseTurnoverCollected=Apkopots pirkumu apgrozījums +RulesPurchaseTurnoverDue=- Tajā ir iekļauti piegādātāja rēķini par samaksu neatkarīgi no tā, vai tie ir samaksāti.
- tas ir balstīts uz šo rēķinu izrakstīšanas datumu.
+RulesPurchaseTurnoverIn=- Tas ietver visus faktiskos rēķinu maksājumus, kas veikti piegādātājiem.
- tas ir balstīts uz šo rēķinu apmaksas datumu
+RulesPurchaseTurnoverTotalPurchaseJournal=Tas ietver visas pirkuma žurnāla debeta līnijas. +ReportPurchaseTurnover=Par pirkuma apgrozījumu izrakstīts rēķins +ReportPurchaseTurnoverCollected=Apkopots pirkumu apgrozījums +IncludeVarpaysInResults = Pārskatos iekļaujiet dažādus maksājumus +IncludeLoansInResults = Iekļaujiet pārskatos aizdevumus diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang index 91d0f6444b2..9cfd06c239d 100644 --- a/htdocs/langs/lv_LV/errors.lang +++ b/htdocs/langs/lv_LV/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=Serveris failu nav saņemis pilnīgi. ErrorNoTmpDir=Pagaidu direktorija %s neeksistē. ErrorUploadBlockedByAddon=Augšupielāde bloķēja ar PHP/Apache spraudni. ErrorFileSizeTooLarge=Faila izmērs ir pārāk liels. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Lauks %s ir pārāk garš. ErrorSizeTooLongForIntType=Izmērs ir pārāk garš int tipam (%s cipari maksimums) ErrorSizeTooLongForVarcharType=Izmērs ir pārāk garš (%s simboli maksimums) ErrorNoValueForSelectType=Lūdzu izvēlieties vērtību no saraksta @@ -235,8 +235,8 @@ ErrorLanguageOfTranslatedPageIsSameThanThisPage=Kļūda, tulkotās lapas valoda ErrorBatchNoFoundForProductInWarehouse=Noliktavā "%s" nav atrasta partija / sērija produktam "%s". ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Šai partijai/sērijai nav pietiekams daudzums produkta "%s" noliktavā "%s". ErrorOnlyOneFieldForGroupByIsPossible=“Grupēt pēc” ir iespējams tikai 1 lauks (citi tiek atmesti) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorTooManyDifferentValueForSelectedGroupBy=Tika atrasts pārāk daudz dažādu vērtību (vairāk nekā %s ) laukam “ %s a09a4b739f17f17f8z0”. Lauks 'Grupēt pēc' ir noņemts. Varbūt vēlaties to izmantot kā X asi? +ErrorReplaceStringEmpty=Kļūda: aizvietojamā virkne ir tukša # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Jūsu PHP parametrs upload_max_filesize (%s) ir augstāks nekā PHP parametrs post_max_size (%s). Šī nav konsekventa iestatīšana. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Brīdinājums, ja izmantojat ma WarningDateOfLineMustBeInExpenseReportRange=Brīdinājums, rindas datums nav izdevumu pārskata diapazonā WarningProjectClosed=Projekts ir slēgts. Vispirms vispirms atveriet to. WarningSomeBankTransactionByChequeWereRemovedAfter=Daži bankas darījumi tika noņemti pēc tam, kad tika ģenerēta kvīts ar tiem. Tātad pārbaužu skaits un kopējais saņemto dokumentu skaits var atšķirties no sarakstā norādīto skaita un kopskaita. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, neizdevās pievienot faila ierakstu ECM datu bāzes indeksu tabulā diff --git a/htdocs/langs/lv_LV/hrm.lang b/htdocs/langs/lv_LV/hrm.lang index 4c2f10e6664..b3cf76f135c 100644 --- a/htdocs/langs/lv_LV/hrm.lang +++ b/htdocs/langs/lv_LV/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=Vai tiešām vēlaties dzēst šo uzņēmumu? OpenEtablishment=Atvērts uzņēmums CloseEtablishment=Aizvērt uzņēmumu # Dictionary +DictionaryPublicHolidays=HRM - svētku dienas DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - darba vietas # Module Employees=Darbinieki Employee=Darbinieks diff --git a/htdocs/langs/lv_LV/install.lang b/htdocs/langs/lv_LV/install.lang index 13f5ab1e7fc..e7d0c6667ef 100644 --- a/htdocs/langs/lv_LV/install.lang +++ b/htdocs/langs/lv_LV/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Šis PHP atbalsta Curl. PHPSupportCalendar=Šis PHP atbalsta kalendāru paplašinājumus. PHPSupportUTF8=Šis PHP atbalsta UTF8 funkcijas. PHPSupportIntl=Šī PHP atbalsta Intl funkcijas. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Šis PHP atbalsta paplašinātas atkļūdošanas funkcijas. PHPSupport=Šis PHP atbalsta %s funkcijas. PHPMemoryOK=Jūsu PHP maksimālā sesijas atmiņa ir iestatīts uz %s. Tas ir pietiekami. PHPMemoryTooLow=Jūsu PHP max sesijas atmiņa ir iestatīta uz %s baitiem. Tas ir pārāk zems. Mainiet php.ini, lai iestatītu memory_limit parametru vismaz %s baitiem. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Jūsu PHP instalācija neatbalsta Curl. ErrorPHPDoesNotSupportCalendar=Jūsu PHP instalācija neatbalsta php kalendāra paplašinājumus. ErrorPHPDoesNotSupportUTF8=Jūsu PHP instalācija neatbalsta UTF8 funkcijas. Dolibarr nevar darboties pareizi. Atrisiniet to pirms Dolibarr instalēšanas. ErrorPHPDoesNotSupportIntl=Jūsu PHP instalācija neatbalsta Intl funkcijas. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Jūsu PHP instalācija neatbalsta paplašināšanas atkļūdošanas funkcijas. ErrorPHPDoesNotSupport=Jūsu PHP instalācija neatbalsta %s funkcijas. ErrorDirDoesNotExists=Katalogs %s neeksistē. ErrorGoBackAndCorrectParameters=Atgriezieties un pārbaudiet/labojiet parametrus. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Migrēšanas laikā tika ziņots par kļūdu (-ēm), t YouTryInstallDisabledByDirLock=Pieteikums mēģināja pašupjaunināt, bet instalēšanas / jaunināšanas lapas tika atspējotas drošībai (direktorija nosaukums tika pārdēvēts ar .lock sufiksu).
YouTryInstallDisabledByFileLock=Lietojumprogramma mēģināja pašatjaunināties, bet instalēšanas/atjaunināšanas lapas tika bloķētas drošībai (ar bloķēšanas failu install.lock Dolibarr dokumentu direktorijā).
ClickHereToGoToApp=Noklikšķiniet šeit, lai pārietu uz savu pieteikumu -ClickOnLinkOrRemoveManualy=Noklikšķiniet uz šīs saites. Ja jūs vienmēr redzat šo pašu lapu, dokumenta direktorijā ir jāizņem / jānomaina faila instal.lock. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Ja notiek jaunināšana, lūdzu, uzgaidiet. Ja nē, noklikšķiniet uz šīs saites. Ja vienmēr redzat šo pašu lapu, dokumentu direktorijā ir jānoņem/jāpārdēvē fails install.lock. +Loaded=Iekrauts +FunctionTest=Funkcijas pārbaude diff --git a/htdocs/langs/lv_LV/interventions.lang b/htdocs/langs/lv_LV/interventions.lang index 0bb1d46b759..424ef5518c6 100644 --- a/htdocs/langs/lv_LV/interventions.lang +++ b/htdocs/langs/lv_LV/interventions.lang @@ -41,9 +41,7 @@ InterventionsArea=Interventions area DraftFichinter=Draft interventions LastModifiedInterventions=Jaunākās %s labotās iejaukšanās FichinterToProcess=Intervences process -##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Šādi-up klientu kontaktu -# Modele numérotation PrintProductsOnFichinter=Drukājiet arī intervences kartē norādītās "produkta" (ne tikai pakalpojumu) līnijas PrintProductsOnFichinterDetails=interventions generated from orders UseServicesDurationOnFichinter=Izmantojiet pasūtījumu veikšanai paredzēto iejaukšanās pakalpojumu ilgumu @@ -53,7 +51,6 @@ InterventionStatistics=Intervences statistika NbOfinterventions=Intervences karšu skaits NumberOfInterventionsByMonth=Intervences karšu skaits pēc mēneša (validācijas datums) AmountOfInteventionNotIncludedByDefault=Ienākuma summa pēc noklusējuma netiek iekļauta peļņā (vairumā gadījumu laika kontrolsaraksts tiek izmantots, lai uzskaitītu pavadīto laiku). Lai tos iekļautu, pievienojiet opciju PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT uz 1 sākuma iestatīšanas pogu. -##### Exports ##### InterId=Intervention id InterRef=Intervention ref. InterDateCreation=Date creation intervention @@ -65,3 +62,5 @@ InterLineId=Line id intervention InterLineDate=Line date intervention InterLineDuration=Line duration intervention InterLineDesc=Line description intervention +RepeatableIntervention=Intervences paraugs +ToCreateAPredefinedIntervention=Lai izveidotu iepriekš noteiktu vai atkārtotu intervenci, izveidojiet kopēju intervenci un pārveidojiet to par intervences veidni diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index ddd5125278a..a6fee3c3c2b 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Šim e-pasta veidam nav pieejamas veidnes AvailableVariables=Pieejamie aizstāšanas mainīgie NoTranslation=Nav iztulkots Translation=Tulkošana -EmptySearchString=Ievadiet ne tukšu meklēšanas virkni +EmptySearchString=Ievadiet meklēšanas kritērijus NoRecordFound=Nav atrasti ieraksti NoRecordDeleted=Neviens ieraksts nav dzēsts NotEnoughDataYet=Nepietiek datu @@ -174,7 +174,7 @@ SaveAndStay=Saglabājiet un palieciet SaveAndNew=Saglabāt un jaunu TestConnection=Savienojuma pārbaude ToClone=Klonēt -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Vai tiešām vēlaties klonēt objektu %s ? ConfirmClone=Izvēlieties datus, kurus vēlaties klonēt: NoCloneOptionsSpecified=Nav datu klons noteikts. Of=no @@ -187,6 +187,8 @@ ShowCardHere=Rādīt kartiņu Search=Meklēšana SearchOf=Meklēšana SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Ātri pievienot +QuickAddMenuShortCut=Ctrl + shift + l Valid=Derīgs Approve=Apstiprināt Disapprove=Noraidīt @@ -426,6 +428,7 @@ Modules=Moduļi/lietojumprogrammas Option=Iespējas List=Saraksts FullList=Pilns saraksts +FullConversation=Pilna saruna Statistics=Statistika OtherStatistics=Citas statistika Status=Statuss @@ -663,6 +666,7 @@ Owner=Īpašnieks FollowingConstantsWillBeSubstituted=Šādas konstantes tiks aizstāts ar atbilstošo vērtību. Refresh=Atsvaidzināt BackToList=Atpakaļ uz sarakstu +BackToTree=Atpakaļ pie koka GoBack=Iet atpakaļ CanBeModifiedIfOk=Var mainīt ja ir pareizs CanBeModifiedIfKo=Var mainīt, ja nav derīgs @@ -830,8 +834,8 @@ Gender=Dzimums Genderman=Vīrietis Genderwoman=Sieviete ViewList=List view -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Ganta skats +ViewKanban=Kanban skats Mandatory=Mandatory Hello=Labdien GoodBye=Uz redzēšanos @@ -839,6 +843,7 @@ Sincerely=Ar cieņu ConfirmDeleteObject=Vai tiešām vēlaties dzēst šo objektu? DeleteLine=Dzēst rindu ConfirmDeleteLine=Vai Jūs tiešām vēlaties izdzēst šo līniju? +ErrorPDFTkOutputFileNotFound=Kļūda: fails netika ģenerēts. Lūdzu, pārbaudiet, vai komanda 'pdftk' ir instalēta direktorijā, kas iekļauts vides mainīgajā $ PATH (tikai linux / unix), vai sazinieties ar sistēmas administratoru. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Pārāk daudzi ieraksti atlasīti masveida rīcībai. Darbība ir ierobežota ar %s ierakstu sarakstu. NoRecordSelected=Nav atlasīts neviens ieraksts @@ -953,12 +958,13 @@ SearchIntoMembers=Dalībnieki SearchIntoUsers=Lietotāji SearchIntoProductsOrServices=Preces un pakalpojumi SearchIntoProjects=Projekti +SearchIntoMO=Ražošanas pasūtījumi SearchIntoTasks=Uzdevumi SearchIntoCustomerInvoices=Klienta rēķini SearchIntoSupplierInvoices=Piegādātāja rēķini SearchIntoCustomerOrders=Pārdošanas pasūtījumi SearchIntoSupplierOrders=Pirkuma pasūtījumi -SearchIntoCustomerProposals=Klienta piedāvājumi +SearchIntoCustomerProposals=Komerciālie priekšlikumi SearchIntoSupplierProposals=Pārdevēja priekšlikumi SearchIntoInterventions=Interventions SearchIntoContracts=Līgumi @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Izvēlieties diagrammas opcijas, lai izveidotu diagr Measures=Pasākumi XAxis=X ass YAxis=Y ass -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +StatusOfRefMustBe=%s statusam jābūt %s +DeleteFileHeader=Apstipriniet faila dzēšanu +DeleteFileText=Vai tiešām vēlaties izdzēst šo failu? +ShowOtherLanguages=Rādīt citas valodas +SwitchInEditModeToAddTranslation=Pārslēdzieties rediģēšanas režīmā, lai šai valodai pievienotu tulkojumus +NotUsedForThisCustomer=Nav izmantots šim klientam +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/lv_LV/modulebuilder.lang b/htdocs/langs/lv_LV/modulebuilder.lang index ed5c37a00ea..4d3e949e746 100644 --- a/htdocs/langs/lv_LV/modulebuilder.lang +++ b/htdocs/langs/lv_LV/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Bīstamā zona BuildPackage=Izveidot paketi BuildPackageDesc=Jūs varat izveidot zip pakotni no jūsu pieteikuma, lai jūs būtu gatavi to izplatīt jebkurā Dolibarr. Jūs varat arī to izplatīt vai pārdot tirgū kā DoliStore.com . BuildDocumentation=Izveidot dokumentāciju -ModuleIsNotActive=Šis modulis vēl nav aktivizēts. Lai to veiktu, spiediet uz %s vai noklikšķiniet šeit: +ModuleIsNotActive=Šis modulis vēl nav aktivizēts. Dodieties uz vietni %s, lai to aktivizētu, vai noklikšķiniet šeit ModuleIsLive=Šis modulis ir aktivizēts. Jebkuras izmaiņas var pārtraukt pašreizējo tiešraides funkciju. DescriptionLong=Apraksts EditorName=Redaktora vārds @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Vārdnīcu ierakstu saraksts ListOfPermissionsDefined=Noteikto atļauju saraksts SeeExamples=Skatiet piemērus šeit EnabledDesc=Nosacījums, lai šis lauks būtu aktīvs (piemēri: 1 vai $ conf-> globāla-> MYMODULE_MYOPTION) -VisibleDesc=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) +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 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) @@ -139,3 +139,4 @@ ForeignKey=Sveša atslēga TypeOfFieldsHelp=Lauku tips:
varchar (99), double (24,8), real, text, html, datetime, timestamp, integer, integer: ClassName: reliapath / to / classfile.class.php [: 1 [: filter]] ('1' nozīmē mēs pievienojam pogu + pēc kombināta, lai izveidotu ierakstu; “filtrs” var būt “status = 1 UN fk_user = __USER_ID UN entītija (piemēram, __SHARED_ENTITIES__)”. AsciiToHtmlConverter=Ascii uz HTML pārveidotāju AsciiToPdfConverter=Ascii uz PDF pārveidotāju +TableNotEmptyDropCanceled=Tabula nav tukša. Dzēšana tika atcelta. diff --git a/htdocs/langs/lv_LV/mrp.lang b/htdocs/langs/lv_LV/mrp.lang index 1a21412c256..30b84687b15 100644 --- a/htdocs/langs/lv_LV/mrp.lang +++ b/htdocs/langs/lv_LV/mrp.lang @@ -56,11 +56,12 @@ ToConsume=Patērēt ToProduce=Jāsaražo QtyAlreadyConsumed=Patērētais daudzums QtyAlreadyProduced=Saražotais daudzums +QtyRequiredIfNoLoss=Nepieciešamais daudzums, ja nav zaudējumu (Ražošanas efektivitāte ir 100%%) ConsumeOrProduce=Patērē vai ražo ConsumeAndProduceAll=Patērēt un ražot visu Manufactured=Izgatavots TheProductXIsAlreadyTheProductToProduce=Pievienojamais produkts jau ir produkts, ko ražot. -ForAQuantityOf1=Par saražoto daudzumu 1 +ForAQuantityOf=Par saražoto daudzumu %s ConfirmValidateMo=Vai tiešām vēlaties apstiprināt šo ražošanas pasūtījumu? ConfirmProductionDesc=Noklikšķinot uz “%s”, jūs apstiprināsit noteikto daudzumu patēriņu un / vai ražošanu. Tas arī atjauninās krājumus un reģistrēs krājumu kustību. ProductionForRef=%s ražošana @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Izstrādājumu daudzums vēl jāražo, izmantojot atvēr AddNewConsumeLines=Pievienojiet jaunu rindu patērēšanai ProductsToConsume=Produkti, kurus patērēt ProductsToProduce=Izgatavojamie produkti +UnitCost=Vienības cena +TotalCost=Kopējās izmaksas +BOMTotalCost=Šīs BOM izgatavošanas izmaksas, pamatojoties uz katra patērētā daudzuma un produkta izmaksām (izmantojiet pašizmaksu, ja tā ir noteikta, cita - vidējā svērtā cena, ja ir noteikta, citur - labākā pirkuma cena). diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index 53968217348..cbebd72fa7b 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -34,7 +34,7 @@ GraphInBarsAreLimitedToNMeasures=Grafika ir ierobežota ar %s mērījumiem rež OnlyOneFieldForXAxisIsPossible=Šobrīd kā X ass ir iespējams tikai 1 lauks. Ir atlasīts tikai pirmais atlasītais lauks. AtLeastOneMeasureIsRequired=Nepieciešams vismaz 1 lauks mērīšanai AtLeastOneXAxisIsRequired=X-asij ir nepieciešams vismaz 1 lauks -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Jaunākās emuāra ziņas Notify_ORDER_VALIDATE=Pārdošanas pasūtījums apstiprināts Notify_ORDER_SENTBYMAIL=Pārdošanas pasūtījums nosūtīts pa pastu Notify_ORDER_SUPPLIER_SENTBYMAIL=Pirkuma pasūtījums, kas nosūtīts pa e-pastu @@ -85,8 +85,8 @@ MaxSize=Maksimālais izmērs AttachANewFile=Pievienot jaunu failu / dokumentu LinkedObject=Saistītais objekts NbOfActiveNotifications=Paziņojumu skaits (saņēmēju e-pasta ziņojumu skaits) -PredefinedMailTest=__(Labdien)__\nŠis ir testa pasts, kas nosūtīts uz __EMAIL__.\nAbas līnijas ir atdalītas.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Labdien)__\nŠis ir testa pasts (vārds testa ir jābūt treknrakstā).
Divas rindas atdala ar rāmi.

__USER_SIGNATURE__ +PredefinedMailTest=__(Labdien)__\nŠī ir testa vēstule, kas nosūtīta uz __EMAIL__.\nLīnijas atdala ar atpakaļgaitu.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__ (Labdien) __
Šis ir test pasts, kas nosūtīts uz __EMAIL__ (vārdam pārbaude jābūt treknrakstā).
Līnijas atdala ar karietes atgriešanos.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Labdien,)__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Labdien)__\n\nLūdzu, apskatiet pievienoto rēķinu __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Labdien)__\n\nMēs vēlētos jums atgādināt, ka rēķins __REF__, šķiet, nav samaksāts. Rēķina kopija ir pievienota kā atgādinājums.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ @@ -274,7 +274,7 @@ WEBSITE_PAGEURL=Lapas URL WEBSITE_TITLE=Virsraksts WEBSITE_DESCRIPTION=Apraksts WEBSITE_IMAGE=Attēls -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Attēlu nesēja relatīvais ceļš. Varat to atstāt tukšu, jo tas tiek reti izmantots (dinamiskais saturs to var izmantot, lai parādītu sīktēlu emuāru ziņu sarakstā). Ceļā izmantojiet __WEBSITE_KEY__, ja ceļš ir atkarīgs no vietnes nosaukuma (piemēram: attēls / __ WEBSITE_KEY __ / stāsti / myimage.png). WEBSITE_KEYWORDS=Atslēgas vārdi LinesToImport=Importējamās līnijas diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index ee734ef9376..8568c4396d9 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Šis rīks atjaunina PVN likmi, kas noteikta ALL< MassBarcodeInit=Masveida svītru kodu izveidošana MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete. ProductAccountancyBuyCode=Grāmatvedības kods (iegāde) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Grāmatvedības kods (iegāde Kopienas iekšienē) +ProductAccountancyBuyExportCode=Grāmatvedības kods (pirkuma imports) ProductAccountancySellCode=Grāmatvedības kods (tirdzniecība) ProductAccountancySellIntraCode=Grāmatvedības kods (pārdošana Kopienas iekšienē) ProductAccountancySellExportCode=Grāmatvedības kods (pārdošanas eksports) @@ -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=Pēdējie %s labotie produkti/pakalpojumi +LastModifiedProductsAndServices=Jaunākie labotie produkti %s LastRecordedProducts=Jaunākie ieraksti %s LastRecordedServices=Jaunākie %s reģistrētie pakalpojumi CardProduct0=Produkts @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Piezīme (nav redzama rēķinos, priekšlikumos ...) ServiceLimitedDuration=Ja produkts ir pakalpojums ir ierobežots darbības laiks: MultiPricesAbility=Vairāki cenu segmenti katram produktam / pakalpojumam (katrs klients atrodas vienā cenu segmentā) MultiPricesNumPrices=Cenu skaits +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Aktivizēt virtuālos produktus (komplektus) AssociatedProducts=Virtuālie produkti AssociatedProductsNumber=Produktu skaits kas veido šo virtuālo produktu @@ -167,7 +168,7 @@ SuppliersPrices=Pārdevēja cenas SuppliersPricesOfProductsOrServices=Pārdevēja cenas (produktiem vai pakalpojumiem) CustomCode=Muita / Prece / HS kods CountryOrigin=Izcelsmes valsts -Nature=Nature of product (material/finished) +Nature=Produkta veids (materiāls / gatavs) 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 d0fa1eae9a8..ef6cd010501 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Apakš uzdevums TaskHasChild=Uzdevumam ir bērns NotOwnerOfProject=Ne īpašnieks šo privātam projektam AffectedTo=Piešķirts -CantRemoveProject=Šo projektu nevar noņemt, jo tam ir atsauce ar kādu citu objektu (rēķinu, rīkojumus vai cits). Skatīt atsauču sadaļa. +CantRemoveProject=Šo projektu nevar noņemt, jo uz to atsaucas daži citi objekti (rēķins, pasūtījumi vai citi). Skatīt cilni '%s'. ValidateProject=Apstiprināt projektu ConfirmValidateProject=Vai jūs tiešām vēlaties apstiprināt šo projektu? CloseAProject=Aizvērt projektu @@ -255,7 +255,7 @@ ServiceToUseOnLines=Pakalpojums, ko izmantot līnijās InvoiceGeneratedFromTimeSpent=Rēķins %s ir radīts no projekta pavadīta laika ProjectBillTimeDescription=Pārbaudiet, vai projekta uzdevumos ievadāt laika kontrolsarakstu UN Plānojat no laika kontrolsaraksta ģenerēt rēķinu (rēķinus), lai projekta klientam izrakstītu rēķinu (nepārbaudiet, vai plānojat izveidot rēķinu, kas nav balstīts uz ievadītajām laika kontrollapām). Piezīme. Lai ģenerētu rēķinu, dodieties uz projekta cilni “Pavadītais laiks” un atlasiet iekļaujamās līnijas. ProjectFollowOpportunity=Izmantojiet iespēju -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Izpildiet uzdevumus vai pavadīto laiku Usage=Lietošana UsageOpportunity=Lietošana: Iespēja UsageTasks=Lietošana: uzdevumi @@ -265,3 +265,4 @@ NewInvoice=Jauns rēķins OneLinePerTask=Viena rinda katram uzdevumam OneLinePerPeriod=Viena rindiņa vienam periodam RefTaskParent=Ref. Vecāku uzdevums +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/lv_LV/receptions.lang b/htdocs/langs/lv_LV/receptions.lang index c0b1db42fa4..14819b4a231 100644 --- a/htdocs/langs/lv_LV/receptions.lang +++ b/htdocs/langs/lv_LV/receptions.lang @@ -39,7 +39,9 @@ ActionsOnReception=Notikumi reģistratūrā ReceptionCreationIsDoneFromOrder=Patlaban jaunas pasūtījuma izveide tiek veikta no pasūtījuma kartes. ReceptionLine=Uzņemšanas līnija ProductQtyInReceptionAlreadySent=Produkta daudzums no jau nosūtīta pasūtījuma -ProductQtyInSuppliersReceptionAlreadyRecevied=Produkta daudzums no jau saņemta pasūtījuma +ProductQtyInSuppliersReceptionAlreadyRecevied=Produkta daudzums no jau saņemtā pasūtījuma ValidateOrderFirstBeforeReception=Vispirms jums ir jāapstiprina pasūtījums, lai varētu pieņemt pieņemšanas. ReceptionsNumberingModules=Pieņemšanas numurēšanas modulis ReceptionsReceiptModel=Pieņemšanas dokumentu veidnes +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index a05ca27f339..76b79c06e41 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=VSC EnhancedValueOfWarehouses=Noliktavas vērtība UserWarehouseAutoCreate=Lietotāja noliktavas izveide, izveidojot lietotāju AllowAddLimitStockByWarehouse=Pārvaldiet arī minimālā un vēlamā krājuma vērtību pārī (produkta noliktava), papildus minimālā un vēlamā krājuma vērtībai vienam produktam +RuleForWarehouse=Noteikumi noliktavām +WarehouseAskWarehouseDuringOrder=Iestatiet noliktavu pārdošanas pasūtījumiem +UserDefaultWarehouse=Iestatiet noliktavu lietotājiem +DefaultWarehouseActive=Noklusējuma noliktava ir aktīva +MainDefaultWarehouse=Noklusētā noliktava +MainDefaultWarehouseUser=Izmantojiet lietotāja noliktavu kā noklusējuma +MainDefaultWarehouseUserDesc=/! \\ Aktivizējot šo iespēju raksta izveidošanas zelts, šajā tiks definēta lietotājam piešķirta noliktava. Ja lietotājs nav definējis noliktavu, tiek definēta noklusējuma noliktava. IndependantSubProductStock=Produktu krājumi un apakšprodukti ir neatkarīgi QtyDispatched=Nosūtītais daudzums QtyDispatchedShort=Daudz. nosūtīts @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Noliktava %s tiks izmantota krājumu samazinā WarehouseForStockIncrease=Noliktava %s tiks izmantota krājumu palielināšanai ForThisWarehouse=Šai noliktavai ReplenishmentStatusDesc=Šis ir saraksts ar visiem produktiem, kuru krājumi ir mazāki par vēlamo krājumu (vai ir zemāka par brīdinājuma vērtību, ja ir atzīmēta izvēles rūtiņa "tikai brīdinājums"). Izmantojot izvēles rūtiņu, varat izveidot pirkuma pasūtījumus, lai aizpildītu starpību. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Šis ir visu atvērto pirkumu pasūtījumu saraksts, ieskaitot iepriekš definētus produktus. Atveriet pasūtījumus tikai ar iepriekš definētiem produktiem, tāpēc šeit ir redzami pasūtījumi, kas var ietekmēt krājumus. Replenishments=Papildinājumus NbOfProductBeforePeriod=Produktu daudzums %s noliktavā pirms izvēlētā perioda (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventārs konkrētai noliktavai InventoryForASpecificProduct=Inventārs konkrētam produktam StockIsRequiredToChooseWhichLotToUse=Lai izvēlētos izmantojamo partiju, ir nepieciešami krājumi ForceTo=Piespiest līdz +AlwaysShowFullArbo=Parādiet pilnu noliktavas koku uznirstošajās noliktavu saitēs (Brīdinājums: tas var dramatiski samazināt veiktspēju) diff --git a/htdocs/langs/lv_LV/ticket.lang b/htdocs/langs/lv_LV/ticket.lang index 828d69a2bc3..8bb9b71b746 100644 --- a/htdocs/langs/lv_LV/ticket.lang +++ b/htdocs/langs/lv_LV/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Čeku numerācijas modulis TicketNotifyTiersAtCreation=Paziņot trešajai pusei radīšanas laikā TicketGroup=Grupa TicketsDisableCustomerEmail=Vienmēr atspējojiet e-pasta ziņojumus, ja biļete tiek veidota no publiskās saskarnes +TicketsPublicNotificationNewMessage=Sūtiet e-pastu (s), kad tiek pievienots jauns ziņojums +TicketsPublicNotificationNewMessageHelp=Sūtiet e-pastu (s), kad no publiskās saskarnes tiek pievienots jauns ziņojums (piešķirtajam lietotājam vai paziņojumu e-pastu uz (atjaunināt) un / vai paziņojumu e-pastu uz) +TicketPublicNotificationNewMessageDefaultEmail=Paziņojumu e-pasts adresātam (atjaunināt) +TicketPublicNotificationNewMessageDefaultEmailHelp=Sūtiet pa e-pastu jaunu ziņojumu paziņojumus uz šo adresi, ja biļetei nav piešķirts lietotājs vai lietotājam nav e-pasta. # # Index & list page # -TicketsIndex=Pieteikumi - mājās +TicketsIndex=Biļešu zona TicketList=Pieteikumu saraksts TicketAssignedToMeInfos=Šī lapa parāda pieteikumu sarakstu, kas izveidots vai piešķirts pašreizējam lietotājam NoTicketsFound=Nav atrasts neviens pieteikums diff --git a/htdocs/langs/lv_LV/users.lang b/htdocs/langs/lv_LV/users.lang index 7f18b0e8a20..c94221b7171 100644 --- a/htdocs/langs/lv_LV/users.lang +++ b/htdocs/langs/lv_LV/users.lang @@ -70,7 +70,7 @@ ExportDataset_user_1=Lietotāji un to īpašības DomainUser=Domēna lietotājs %s Reactivate=Aktivizēt CreateInternalUserDesc=Šī veidlapa ļauj izveidot iekšējo lietotāju savā uzņēmumā/organizācijā. Lai izveidotu ārēju lietotāju (klientu, pārdevēju utt.), Izmantojiet trešās puses kontakta kartītes pogu “Izveidot Dolibarr lietotāju”. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +InternalExternalDesc= iekšējais lietotājs ir lietotājs, kas ietilpst jūsu uzņēmumā / organizācijā.
ārējais lietotājs ir klients, pārdevējs vai cits (Ārēja lietotāja izveidošanu trešai personai var veikt no trešās puses kontaktu ieraksta).

Abos gadījumos atļaujas nosaka tiesības uz Dolibarr, arī ārējam lietotājam var būt atšķirīgs izvēlnes pārvaldnieks nekā iekšējam lietotājam (sk. Sākums - Iestatīšana - Displejs). PermissionInheritedFromAGroup=Atļauja piešķirta, jo mantojis no viena lietotāja grupai. Inherited=Iedzimta UserWillBeInternalUser=Izveidots lietotājs būs iekšējā lietotāja (jo nav saistīta ar konkrētu trešajai personai) @@ -78,6 +78,7 @@ UserWillBeExternalUser=Izveidots lietotājs būs ārējais lietotājs (jo saist IdPhoneCaller=Id zvanītāja tālrunis NewUserCreated=Lietotājs %s izveidots NewUserPassword=Parole nomainīta %s +NewPasswordValidated=Jūsu jaunā parole ir apstiprināta, un tagad tā ir jāizmanto, lai pieteiktos. EventUserModified=Lietotājs %s modificēts UserDisabled=Lietotājs %s bloķēts UserEnabled=Lietotājs %s aktivizēts @@ -113,5 +114,5 @@ 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 ValidatorIsSupervisorByDefault=Pēc noklusējuma validētājs ir lietotāja uzraugs. Lai saglabātu šo uzvedību, atstājiet tukšu. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Personīgais e-pasts +UserPersonalMobile=Personīgais mobilais tālrunis diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang index a082a305ac6..9420626368a 100644 --- a/htdocs/langs/lv_LV/website.lang +++ b/htdocs/langs/lv_LV/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robotfails (robots.txt) WEBSITE_HTACCESS=Tīmekļa vietne .htaccess fails WEBSITE_MANIFEST_JSON=Vietnes manifest.json fails WEBSITE_README=Fails README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Ievadiet šeit meta datus vai licences informāciju, lai aizpildītu README.md failu. ja jūs izplatīsit savu vietni kā veidni, fails tiks iekļauts veidņu paketē. HtmlHeaderPage=HTML virsraksts (tikai šai lapai) PageNameAliasHelp=Lapas nosaukums vai pseidonīms.
Šis aizstājvārds tiek izmantots arī, lai izveidotu SEO vietrādi, ja vietne tiek izmantota no Web servera virtuālās saimniekdatora (piemēram, Apacke, Nginx, ...). Izmantojiet pogu " %s , lai rediģētu šo aizstājvārdu. @@ -120,7 +121,7 @@ ShowSubContainersOnOff='Dinamiskā satura' izpildes režīms ir %s GlobalCSSorJS=Vietnes globālais CSS / JS / galvenes fails BackToHomePage=Atpakaļ uz sākumlapu ... TranslationLinks=Tulkošanas saites -YouTryToAccessToAFileThatIsNotAWebsitePage=Jūs mēģināt piekļūt lapai, kas nav vietnes lapa +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Lai iegūtu labu SEO praksi, izmantojiet tekstu no 5 līdz 70 rakstzīmēm MainLanguage=Galvenā valoda OtherLanguages=Citas valodas @@ -128,3 +129,6 @@ UseManifest=Norādiet failu manifest.json PublicAuthorAlias=Publiskā autora pseidonīms AvailableLanguagesAreDefinedIntoWebsiteProperties=Pieejamās valodas tiek definētas vietņu īpašumos ReplacementDoneInXPages=Aizvietošana veikta %s lappusēs vai konteineros +RSSFeed=RSS barotne +RSSFeedDesc=Izmantojot šo URL, varat iegūt RSS plūsmu no jaunākajiem rakstiem ar veidu “blogpost” +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang index 31443407ada..45bcbb60410 100644 --- a/htdocs/langs/lv_LV/withdrawals.lang +++ b/htdocs/langs/lv_LV/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Tiešā debeta maksājumu pasūtījumu sadaļa -SuppliersStandingOrdersArea=Tiešo kredīta maksājumu uzdevumu apgabals +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Tiešā debeta maksājuma uzdevumi StandingOrderPayment=Tiešā debeta maksājuma uzdevums NewStandingOrder=Jauns tiešā debeta pasūtījums +NewPaymentByBankTransfer=Jauns maksājums ar pārskaitījumu StandingOrderToProcess=Jāapstrādā +PaymentByBankTransferReceipts=Kredīta pārveduma rīkojumi +PaymentByBankTransferLines=Kredīta pārveduma pasūtījuma līnijas WithdrawalsReceipts=Tiešā debeta rīkojumi WithdrawalReceipt=Tiešā debeta rīkojums +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Jaunākie kredīta pārveduma rīkojumi %s LastWithdrawalReceipts=Jaunākie %s tiešā debeta faili +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=Kvalificēta rēķina Nr. Ar gaidīšanas tiešā debeta rīkojumu +NbOfInvoiceToWithdraw=Kvalificētu klientu rēķinu skaits ar gaidošo tiešā debeta rīkojumu NbOfInvoiceToWithdrawWithInfo=Klienta rēķina numurs ar tiešā debeta maksājuma uzdevumu, kurā ir norādīta informācija par bankas kontu +NbOfInvoiceToPayByBankTransfer=Kvalificētu piegādātāju rēķinu skaits, kas gaida samaksu ar pārskaitījumu +SupplierInvoiceWaitingWithdraw=Pārdevēja rēķins, kas gaida samaksu ar pārskaitījumu InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Summa atsaukt -WithdrawsRefused=Tiešais debets noraidīts -NoInvoiceToWithdraw=Netika gaidīts neviens klienta rēķins ar atvērtiem tiešā debeta pieprasījumiem. Rēķina kartē dodieties uz cilni "%s", lai iesniegtu pieprasījumu. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Negaida neviens piegādātāja rēķins ar atvērtiem “Tiešā kredīta pieprasījumiem”. Dodieties uz rēķina kartes cilni '%s', lai iesniegtu pieprasījumu. ResponsibleUser=Lietotājs ir atbildīgs WithdrawalsSetup=Tiešā debeta maksājuma iestatīšana +CreditTransferSetup=Kredīta pārsūtīšanas iestatīšana WithdrawStatistics=Tiešā debeta maksājumu statistika -WithdrawRejectStatistics=Tiešā debeta maksājums noraida statistiku +CreditTransferStatistics=Credit transfer statistics +Rejects=Atteikumi LastWithdrawalReceipt=Jaunākie %s tiešā debeta ieņēmumi MakeWithdrawRequest=Izveidojiet tiešā debeta maksājumu pieprasījumu WithdrawRequestsDone=%s reģistrēti tiešā debeta maksājumu pieprasījumi @@ -34,7 +50,9 @@ TransMetod=Darījuma veids Send=Sūtīt Lines=Līnijas StandingOrderReject=Noraidīt +WithdrawsRefused=Tiešais debets noraidīts WithdrawalRefused=Atsaukšana +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Vai jūs tiešām vēlaties, lai ievadītu izdalīšanās noraidījumu sabiedrībai RefusedData=Noraidījuma datums RefusedReason=Noraidījuma iemesls @@ -58,6 +76,8 @@ StatusMotif8=Cits iemesls CreateForSepaFRST=Izveidot tiešā debeta failu (SEPA FRST) CreateForSepaRCUR=Izveidojiet tiešā debeta failu (SEPA RCUR) CreateAll=Izveidot tiešā debeta failu (visu) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Tikai birojs CreateBanque=Tikai banka OrderWaiting=Gaida ārstēšanai @@ -67,16 +87,17 @@ NumeroNationalEmetter=Valsts raidītājs skaits WithBankUsingRIB=Attiecībā uz banku kontiem, izmantojot RIB WithBankUsingBANBIC=Attiecībā uz banku kontiem, izmantojot IBAN / BIC / SWIFT BankToReceiveWithdraw=Bankas konta saņemšana +BankToPayCreditTransfer=Bankas konts, ko izmanto kā maksājumu avotu CreditDate=Kredīts -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) +WithdrawalFileNotCapable=Nevar ģenerēt izņemšanas kvīts failu jūsu valstij %s (jūsu valsts netiek atbalstīta) ShowWithdraw=Rādīt tiešā debeta rīkojumu IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tomēr, ja rēķinam ir vismaz viens tiešā debeta maksājuma rīkojums, kas vēl nav apstrādāts, tas netiks iestatīts kā maksāts, lai varētu veikt iepriekšēju izņemšanas pārvaldību. DoStandingOrdersBeforePayments=Šī cilne ļauj pieprasīt tiešā debeta maksājuma uzdevumu. Kad esat pabeidzis, dodieties uz izvēlni Bank-> Tiešais debets, lai pārvaldītu tiešā debeta maksājuma uzdevumu. Ja maksājuma uzdevums ir slēgts, rēķins tiek automātiski reģistrēts, un rēķins tiek slēgts, ja atlikušais maksājums ir nulle. WithdrawalFile=Izstāšanās fails SetToStatusSent=Nomainīt uz statusu "Fails nosūtīts" -ThisWillAlsoAddPaymentOnInvoice=Tas arī ierakstīs maksājumus rēķiniem un klasificēs tos kā "Apmaksātais", ja atlikušais maksājums ir nulle +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unikālā pilnvaru atsauce (UMR) +RUM=RUM DateRUM=Pilnvaras parakstīšanas datums RUMLong=Unikāla pilnvaru atsauce RUMWillBeGenerated=Ja tukša, UMR (Unique Mandate Reference) tiks ģenerēta, tiklīdz tiks saglabāta bankas konta informācija. diff --git a/htdocs/langs/mk_MK/accountancy.lang b/htdocs/langs/mk_MK/accountancy.lang index e28fa585d99..85a60bc34c1 100644 --- a/htdocs/langs/mk_MK/accountancy.lang +++ b/htdocs/langs/mk_MK/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index a95d988c6e5..f976807c1c2 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Договори / Претплати Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Корисници MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/mk_MK/agenda.lang b/htdocs/langs/mk_MK/agenda.lang index 670feb3c2a4..9544ce0bdf5 100644 --- a/htdocs/langs/mk_MK/agenda.lang +++ b/htdocs/langs/mk_MK/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang index d31e6f204fe..80c662b243b 100644 --- a/htdocs/langs/mk_MK/banks.lang +++ b/htdocs/langs/mk_MK/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang index 8754c8f2ce5..4921ec2e85a 100644 --- a/htdocs/langs/mk_MK/bills.lang +++ b/htdocs/langs/mk_MK/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/mk_MK/cashdesk.lang b/htdocs/langs/mk_MK/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/mk_MK/cashdesk.lang +++ b/htdocs/langs/mk_MK/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/mk_MK/categories.lang b/htdocs/langs/mk_MK/categories.lang index 806b63cf99d..9349ecc5135 100644 --- a/htdocs/langs/mk_MK/categories.lang +++ b/htdocs/langs/mk_MK/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/mk_MK/companies.lang b/htdocs/langs/mk_MK/companies.lang index 2d140b0d23f..47c079b7378 100644 --- a/htdocs/langs/mk_MK/companies.lang +++ b/htdocs/langs/mk_MK/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Затворено diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/mk_MK/errors.lang +++ b/htdocs/langs/mk_MK/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/mk_MK/hrm.lang b/htdocs/langs/mk_MK/hrm.lang index 3889c73dbbb..a5d5c43a4e6 100644 --- a/htdocs/langs/mk_MK/hrm.lang +++ b/htdocs/langs/mk_MK/hrm.lang @@ -1,17 +1,18 @@ # Dolibarr language file - en_US - hrm # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=Емаил за да се спречи надворешната услуга за HRM +Establishments=Компании +Establishment=Компанија +NewEstablishment=Нова компанија +DeleteEstablishment=Избриши компанија +ConfirmDeleteEstablishment=Дали сте сигурни дека саката да ја избришете оваа компанија? +OpenEtablishment=Отвори компанија +CloseEtablishment=Затвори компанија # Dictionary -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryPublicHolidays=HRM - државни празници +DictionaryDepartment=HRM - Список на оддели +DictionaryFunction=HRM - Job positions # Module -Employees=Employees -Employee=Employee -NewEmployee=New employee +Employees=Вработени +Employee=Вработен +NewEmployee=Нов вработен diff --git a/htdocs/langs/mk_MK/install.lang b/htdocs/langs/mk_MK/install.lang index 40f452de628..6b02ac0adb2 100644 --- a/htdocs/langs/mk_MK/install.lang +++ b/htdocs/langs/mk_MK/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang index d4e5709f606..504172c8a82 100644 --- a/htdocs/langs/mk_MK/main.lang +++ b/htdocs/langs/mk_MK/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Сопственик FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Корисници SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Фактури на клиенти SearchIntoSupplierInvoices=Фактури на добавувачи SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Договори @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/mk_MK/modulebuilder.lang b/htdocs/langs/mk_MK/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/mk_MK/modulebuilder.lang +++ b/htdocs/langs/mk_MK/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/mk_MK/mrp.lang b/htdocs/langs/mk_MK/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/mk_MK/mrp.lang +++ b/htdocs/langs/mk_MK/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang index 8cf00847a11..746acff477a 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/mk_MK/projects.lang +++ b/htdocs/langs/mk_MK/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/mk_MK/receptions.lang b/htdocs/langs/mk_MK/receptions.lang index 010a7521846..552f716bf69 100644 --- a/htdocs/langs/mk_MK/receptions.lang +++ b/htdocs/langs/mk_MK/receptions.lang @@ -26,7 +26,7 @@ StatusReceptionDraft=Draft StatusReceptionValidated=Validated (products to ship or already shipped) StatusReceptionProcessed=Processed StatusReceptionDraftShort=Draft -StatusReceptionValidatedShort=Validated +StatusReceptionValidatedShort=Валидирано StatusReceptionProcessedShort=Processed ReceptionSheet=Reception sheet ConfirmDeleteReception=Are you sure you want to delete this reception? @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/mk_MK/stocks.lang b/htdocs/langs/mk_MK/stocks.lang index 126cbb0a093..c4ffdaf1474 100644 --- a/htdocs/langs/mk_MK/stocks.lang +++ b/htdocs/langs/mk_MK/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/mk_MK/ticket.lang b/htdocs/langs/mk_MK/ticket.lang index 984f2eb2d7f..d1cd608d476 100644 --- a/htdocs/langs/mk_MK/ticket.lang +++ b/htdocs/langs/mk_MK/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/mk_MK/website.lang b/htdocs/langs/mk_MK/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/mk_MK/website.lang +++ b/htdocs/langs/mk_MK/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/mk_MK/withdrawals.lang b/htdocs/langs/mk_MK/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/mk_MK/withdrawals.lang +++ b/htdocs/langs/mk_MK/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/mn_MN/accountancy.lang b/htdocs/langs/mn_MN/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/mn_MN/accountancy.lang +++ b/htdocs/langs/mn_MN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/mn_MN/agenda.lang b/htdocs/langs/mn_MN/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/mn_MN/agenda.lang +++ b/htdocs/langs/mn_MN/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/mn_MN/banks.lang b/htdocs/langs/mn_MN/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/mn_MN/banks.lang +++ b/htdocs/langs/mn_MN/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/mn_MN/bills.lang b/htdocs/langs/mn_MN/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/mn_MN/bills.lang +++ b/htdocs/langs/mn_MN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/mn_MN/cashdesk.lang b/htdocs/langs/mn_MN/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/mn_MN/cashdesk.lang +++ b/htdocs/langs/mn_MN/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/mn_MN/categories.lang b/htdocs/langs/mn_MN/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/mn_MN/categories.lang +++ b/htdocs/langs/mn_MN/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/mn_MN/companies.lang b/htdocs/langs/mn_MN/companies.lang index f8b3d0354e2..92674363ced 100644 --- a/htdocs/langs/mn_MN/companies.lang +++ b/htdocs/langs/mn_MN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/mn_MN/errors.lang b/htdocs/langs/mn_MN/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/mn_MN/errors.lang +++ b/htdocs/langs/mn_MN/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/mn_MN/hrm.lang b/htdocs/langs/mn_MN/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/mn_MN/hrm.lang +++ b/htdocs/langs/mn_MN/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/mn_MN/install.lang b/htdocs/langs/mn_MN/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/mn_MN/install.lang +++ b/htdocs/langs/mn_MN/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang index 9cf03c8bfdb..8eb796fa94e 100644 --- a/htdocs/langs/mn_MN/main.lang +++ b/htdocs/langs/mn_MN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/mn_MN/modulebuilder.lang b/htdocs/langs/mn_MN/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/mn_MN/modulebuilder.lang +++ b/htdocs/langs/mn_MN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/mn_MN/mrp.lang b/htdocs/langs/mn_MN/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/mn_MN/mrp.lang +++ b/htdocs/langs/mn_MN/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/mn_MN/projects.lang b/htdocs/langs/mn_MN/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/mn_MN/projects.lang +++ b/htdocs/langs/mn_MN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/mn_MN/receptions.lang b/htdocs/langs/mn_MN/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/mn_MN/receptions.lang +++ b/htdocs/langs/mn_MN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/mn_MN/stocks.lang b/htdocs/langs/mn_MN/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/mn_MN/stocks.lang +++ b/htdocs/langs/mn_MN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/mn_MN/ticket.lang b/htdocs/langs/mn_MN/ticket.lang index 46b41c2f958..a9cff9391d0 100644 --- a/htdocs/langs/mn_MN/ticket.lang +++ b/htdocs/langs/mn_MN/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/mn_MN/website.lang b/htdocs/langs/mn_MN/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/mn_MN/website.lang +++ b/htdocs/langs/mn_MN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/mn_MN/withdrawals.lang b/htdocs/langs/mn_MN/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/mn_MN/withdrawals.lang +++ b/htdocs/langs/mn_MN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index 7a21d725e36..245636d5c7e 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=De neste skrittene bør gjøres for å spare ti AccountancyAreaDescActionFreq=Følgende tiltak blir vanligvis utført hver måned, uke eller dag for svært store selskaper ... AccountancyAreaDescJournalSetup=TRINN %s: Lag eller kontroller innholdet i din journalliste fra menyen %s -AccountancyAreaDescChartModel=TRINN %s: Lag en kontomodell fra menyen %s -AccountancyAreaDescChart=TRINN %s: Opprett eller kontroller innhold i din kontoplan fra meny %s +AccountancyAreaDescChartModel=TRINN %s: Sjekk at det finnes en modell av kontoplan eller lag en fra menyen %s +AccountancyAreaDescChart=TRINN %s: Velg og|eller fullfør kontoplanen din fra meny %s AccountancyAreaDescVat=TRINN %s: Definer regnskapskonto for hver MVA-sats. Bruk menyoppføringen %s. AccountancyAreaDescDefault=TRINN %s: Definer standard regnskapskontoer. For dette, bruk menyoppføringen %s. @@ -121,7 +121,7 @@ InvoiceLinesDone=Bundne fakturalinjer ExpenseReportLines=Utgiftsrapport-linjer som skal bindes ExpenseReportLinesDone=Bundne utgiftsrapport-linjer IntoAccount=Bind linje med regnskapskonto -TotalForAccount=Total for accounting account +TotalForAccount=Totalt for regnskapskonto Ventilate=Bind @@ -234,10 +234,10 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tredjepart ukjent ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Tredjepartskonto ikke definert eller tredjepart ukjent. Blokkeringsfeil. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Ukjent tredjepartskonto og ventekonto ikke definert. Blokkeringsfeil PaymentsNotLinkedToProduct=Betaling ikke knyttet til noen vare/tjeneste -OpeningBalance=Opening balance +OpeningBalance=Inngående balanse ShowOpeningBalance=Vis åpningsbalanse HideOpeningBalance=Skjul åpningsbalansen -ShowSubtotalByGroup=Show subtotal by group +ShowSubtotalByGroup=Vis subtotal etter gruppe Pcgtype=Kontogruppe PcgtypeDesc=Kontogruppe brukes som forhåndsdefinerte 'filter' og 'gruppering' kriterier for noen regnskapsrapporter. For eksempel blir 'INNTEKT' eller 'UTGIFT' brukt som grupper for regnskapsføring av varer for å lage utgifts-/inntektsrapporten. diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 30532f0de69..76f483ed4e2 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Neste verdi (fakturaer) NextValueForCreditNotes=Neste verdi (kreditnotaer) NextValueForDeposit=Neste verdi (nedbetaling) NextValueForReplacements=Neste verdi (erstatninger) -MustBeLowerThanPHPLimit=Merk: din PHP-konfigurasjon begrenser for øyeblikket maksimal filstørrelse for opplasting til %s %s, uavhengig av verdien av denne parameteren +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Merk: Det er ikke satt noen begrensninger i din PHP-konfigurasjon på denne serveren MaxSizeForUploadedFiles=Maksimal filstørrelse for opplasting av filer (0 for å ikke tillate opplasting) UseCaptchaCode=Bruk Capthca på innloggingsside @@ -207,7 +207,7 @@ ModulesMarketPlaces=Finn eksterne apper/moduler ModulesDevelopYourModule=Utvikle dine egen apper/moduler ModulesDevelopDesc=Du kan også utvikle din egen modul eller finne en partner til å utvikle en for deg. DOLISTOREdescriptionLong=I stedet for å slå på www.dolistore.com nettstedet for å finne en ekstern modul, kan du bruke dette innebygde verktøyet til å utføre søkingen på eksternt marked for deg (kan være tregt, trenger Internett-tilgang) ... -NewModule=Ny +NewModule=Ny modul FreeModule=Gratis CompatibleUpTo=Kompatibel med versjon %s NotCompatible=Denne modulenser ikke ut til å være kompatibel med Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Nyhet AchatTelechargement=Kjøp/Last ned GoModuleSetupArea=For å distribuere/installere en ny modul, gå til området for Moduloppsett på %s. DoliStoreDesc=DoliStore, den offisielle markedsplassen for eksterne moduler til Dolibarr ERP/CRM -DoliPartnersDesc=Liste over selskaper som tilbyr spesialutviklede moduler eller funksjoner.
Merk: siden Dolibarr er en åpen kildekode applikasjon, kan alle erfarne i PHP programmering utvikle en modul. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Eksterne nettsteder for flere tilleggs- (ikke-kjerne) moduler ... DevelopYourModuleDesc=Noen løsninger for å utvikle din egen modul... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Angi et telefonnummer å ringe for å vise en link for å RefreshPhoneLink=Oppdater kobling LinkToTest=Klikkbar link generert for bruker%s (klikk telefonnummer for å teste) KeepEmptyToUseDefault=Hold tomt for å bruke standardverdien +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Standard kobling SetAsDefault=Sett som standard ValueOverwrittenByUserSetup=Advarsel, denne verdien kan bli overskrevet av brukerspesifikke oppsett (hver bruker kan sette sitt eget clicktodial url) ExternalModule=Ekstern modul InstalledInto=Installert i mappen %s -BarcodeInitForthird-parties=Masseinitiering av strekkoder for tredjeparter +BarcodeInitForThirdparties=Masseinitiering av strekkoder for tredjeparter BarcodeInitForProductsOrServices=Masseinitiering eller sletting av strekkoder for varer og tjenester CurrentlyNWithoutBarCode=For øyeblikket har du %s poster på %s %s uten strekkode. InitEmptyBarCode=Startverdi for neste %s tomme post @@ -541,8 +542,8 @@ Module54Name=Kontrakter/abonnement Module54Desc=Forvaltning av kontrakter (tjenester eller tilbakevendende abonnementer) Module55Name=Strekkoder Module55Desc=Behandling av strekkoder -Module56Name=Telefoni -Module56Desc=Telefoniintegrasjon +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direkte Debitbetalinger Module57Desc=Håndtering av direktedebet betalingsordre. Inkluderer generering av SEPA-fil for europeiske land Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Tilgjengelige apper/moduler ToActivateModule=Gå til innstillinger for å aktivere moduler. SessionTimeOut=Tidsgrense for økter SessionExplanation=Dette tallet garanterer at økten aldri utløper før denne forsinkelsen, hvis økten kjøres med intern PHP-session cleaner (og ingenting annet). Intern PHP session cleaner garanterer ikke at økten utløper like etter denne forsinkelsen. Det utløper etter denne forsinkelsen, og når session cleaner er ferdig, hver %s/%s tilgang, men bare under tilgang fra andre økter
. Merk: på noen servere med en ekstern session cleaner(cron under debian, ubuntu ...), kan øktene bli ødelagt etter en periode definert av et eksternt oppsett, uansett verdien som er angitt her. +SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. TriggersAvailable=Tilgjengelige utløsere TriggersDesc=Utløsere (triggers) er filer som vil påvirke Dolibarrs virkemåte og arbeidsflyt når de kopieres inn i mappen htdocs/core/triggers. De aktiverer nye handlinger, aktivert av Dolibarrhendelser (ny tredjepart, opprette faktura ...). TriggerDisabledByName=Utløserne i denne filen er slått av med endelsen -NORUN i navnet. @@ -1262,6 +1264,7 @@ FieldEdition=Endre felt %s FillThisOnlyIfRequired=Eksempel: +2 (brukes kun hvis du opplever problemer med tidssone offset) GetBarCode=Hent strekkode NumberingModules=Nummereringsmodeller +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Gir et automatisk laget passord med 8 tegn (bokstaver og tall) i små bokstaver. PasswordGenerationNone=Ikke foreslå å generere passord. Passord må legges inn manuelt. @@ -1844,6 +1847,7 @@ MailToThirdparty=Tredjeparter MailToMember=Medlemmer MailToUser=Brukere MailToProject=Prosjektside +MailToTicket=Supportsedler ByDefaultInList=Vis som standard for liste YouUseLastStableVersion=Du bruker siste stabile versjon TitleExampleForMajorRelease=Eksempel på melding du kan bruke for å annonsere større oppdateringer (du kan bruke denne på dine websider) @@ -1996,6 +2000,7 @@ EmailTemplate=Mal for e-post EMailsWillHaveMessageID=E-postmeldinger vil være merket 'Referanser' som samsvarer med denne syntaksen PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Skriv inn koden til et FontAwesome-ikon. Hvis du ikke vet hva som er FontAwesome, kan du bruke den generelle verdien fa-adresseboken. +FeatureNotAvailableWithReceptionModule=Funksjonen er ikke tilgjengelig når modulen Mottak er aktivert RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Gå til Setup -> Widgets MeasuringUnitTypeDesc=Bruk en verdi som "størrelse", "overflate", "volum", "vekt", "tid" diff --git a/htdocs/langs/nb_NO/agenda.lang b/htdocs/langs/nb_NO/agenda.lang index 62e1bbb6b58..16e3b6b923c 100644 --- a/htdocs/langs/nb_NO/agenda.lang +++ b/htdocs/langs/nb_NO/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervensjon %s sendt via epost ProposalDeleted=Tilbud slettet OrderDeleted=Ordre slettet InvoiceDeleted=Faktura slettet +DraftInvoiceDeleted=Fakturautkast slettet PRODUCT_CREATEInDolibarr=Vare%s opprettet PRODUCT_MODIFYInDolibarr=Vare %s endret PRODUCT_DELETEInDolibarr=Vare %s slettet HOLIDAY_CREATEInDolibarr=Forespørsel om fri%s opprettet HOLIDAY_MODIFYInDolibarr=Forespørsel om fri%s endret HOLIDAY_APPROVEInDolibarr=Forespørsel om permisjon %s godkjent -HOLIDAY_VALIDATEDInDolibarr=Forespørsel om fri%s bekreftet +HOLIDAY_VALIDATEInDolibarr=Forespørsel om fri%s bekreftet HOLIDAY_DELETEInDolibarr=Forespørsel om fri%s slettet EXPENSE_REPORT_CREATEInDolibarr=Utgiftsrapport %s opprettet EXPENSE_REPORT_VALIDATEInDolibarr=Utgiftsrapport %s validert @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM deaktivert BOM_REOPENInDolibarr=BOM gjenåpne BOM_DELETEInDolibarr=BOM slettet MRP_MO_VALIDATEInDolibarr=MO validert +MRP_MO_UNVALIDATEInDolibarr=MO satt til status Utkast MRP_MO_PRODUCEDInDolibarr=MO produsert MRP_MO_DELETEInDolibarr=MO slettet +MRP_MO_CANCELInDolibarr=MO kansellert ##### End agenda events ##### AgendaModelModule=Dokumentmaler for hendelse DateActionStart=Startdato @@ -151,3 +154,6 @@ EveryMonth=Hver måned DayOfMonth=Dag i måned DayOfWeek=Dag i uken DateStartPlusOne=Startdato + 1 time +SetAllEventsToTodo=Sett alle hendelser til ToDo +SetAllEventsToInProgress=Sett alle begivenheter til Pågår +SetAllEventsToFinished=Sett alle hendelser til Ferdig diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang index 9ee32f49817..b1c5529e13c 100644 --- a/htdocs/langs/nb_NO/banks.lang +++ b/htdocs/langs/nb_NO/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT gyldig SwiftVNotalid=BIC/SWIFT ikke gyldig IbanValid=BAN gyldig IbanNotValid=BAN ikke gyldig -StandingOrders=Direktedebet-ordre +StandingOrders=Direktedebetsordre StandingOrder=Direktedebet-ordre +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Kontoutskrift AccountStatementShort=Utskrift AccountStatements=Kontoutskrifter diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index 39a212a6f30..7c0dccdafdc 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Rabatt innrømmet (betalt før forfall) EscompteOfferedShort=Rabatt SendBillRef=Innsendelse av faktura %s SendReminderBillRef=Innsendelse av faktura %s (påminnelse) -StandingOrders=Direktedebiter ordre -StandingOrder=Direktedebiter ordre NoDraftBills=Ingen fakturakladder NoOtherDraftBills=Ingen andre fakturakladder NoDraftInvoices=Ingen fakturakladder @@ -572,3 +570,6 @@ AutoFillDateToShort=Angi sluttdato MaxNumberOfGenerationReached=Maks ant. genereringer nådd BILL_DELETEInDolibarr=Faktura slettet BILL_SUPPLIER_DELETEInDolibarr=Leverandørfaktura slettet +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/nb_NO/cashdesk.lang b/htdocs/langs/nb_NO/cashdesk.lang index de444112b59..6653328b53b 100644 --- a/htdocs/langs/nb_NO/cashdesk.lang +++ b/htdocs/langs/nb_NO/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Legg til denne artikkelen RestartSelling=Gå tilbake på salg SellFinished=Salg fullført PrintTicket=Skriv kvittering -SendTicket=Send ticket +SendTicket=Send billett NoProductFound=Ingen artikler funnet ProductFound=vare funnet NoArticle=Ingen artikkel @@ -60,9 +60,9 @@ TakeposNeedsCategories=TakePOS trenger varekategorier for å fungere OrderNotes=Ordrenotater CashDeskBankAccountFor=Standardkonto for bruk for betalinger i NoPaimementModesDefined=Ingen betalingsmodus definert i TakePOS-konfigurasjonen -TicketVatGrouped=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=Grupper mva etter pris i billetter|kvitteringer +AutoPrintTickets=Skriv ut billetter|kvitteringer automatisk +PrintCustomerOnReceipts=Skriv ut kunde på billetter|kvitteringer EnableBarOrRestaurantFeatures=Aktiver funksjoner for Bar eller Restaurant ConfirmDeletionOfThisPOSSale=Bekrefter du slettingen av pågående salg? ConfirmDiscardOfThisPOSSale=Ønsker du å forkaste dette nåværende salget? @@ -90,19 +90,23 @@ HeadBar=Toppmeny SortProductField=Felt for sortering av produkter Browser=Nettleser BrowserMethodDescription=Enkel kvitteringsutskrift. Kun noen få parametere for å konfigurere kvitteringen. Skriv ut via nettleser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. +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. ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Bruk betalingsikonet på numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines +CashDeskRefNumberingModules=Numbering module for POS sales +CashDeskGenericMaskCodes6 =
{TN}-tag brukes til å legge til terminalnummeret +TakeposGroupSameProduct=Grupper samme produktlinjer StartAParallelSale=Start et nytt parallellsalg ControlCashOpening=Control cash box at opening pos CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +CashReport=Kontantrapport +MainPrinterToUse=Hovedskriver som skal brukes +OrderPrinterToUse=Odreskriver som skal brukes +MainTemplateToUse=Hovedmal som skal brukes +OrderTemplateToUse=Ordremal som skal brukes +BarRestaurant=Bar Restaurant +AutoOrder=Kunde automatisk bestilling +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang index 95f1411af66..5f237544729 100644 --- a/htdocs/langs/nb_NO/categories.lang +++ b/htdocs/langs/nb_NO/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Kontomerker/-kategorier ProjectsCategoriesShort=Prosjekter merker/kategorier UsersCategoriesShort=Brukere tagger/kategorier StockCategoriesShort=Lager etiketter/kategorier -ThisCategoryHasNoProduct=Denne kategorien inneholder ingen varer. -ThisCategoryHasNoSupplier=Denne kategorien inneholder ingen leverandør. -ThisCategoryHasNoCustomer=Denne kategorien inneholder ingen kunder. -ThisCategoryHasNoMember=Denne kategorien inneholder ingen medlemmer. -ThisCategoryHasNoContact=Denne kategorien inneholder ikke noen kontakt. -ThisCategoryHasNoAccount=Denne kategorien inneholder ingen kontoer -ThisCategoryHasNoProject=Denne kategorien er ikke brukt i noen prosjekter +ThisCategoryHasNoItems=Denne kategorien inneholder ingen artikler. CategId=Merke/kategori-ID CatSupList=Liste over selgerkoder/-kategorier CatCusList=Liste over kunde/prospekt merker/kategorier @@ -92,4 +86,5 @@ ByDefaultInList=Som standard i liste ChooseCategory=Velg kategori StocksCategoriesArea=Område for lagerkategorier ActionCommCategoriesArea=Område for hendelseskategorier +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Bruker eller operatør for kategorier diff --git a/htdocs/langs/nb_NO/companies.lang b/htdocs/langs/nb_NO/companies.lang index 319030bfc9e..e3d4243f59b 100644 --- a/htdocs/langs/nb_NO/companies.lang +++ b/htdocs/langs/nb_NO/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospektområde IdThirdParty=Tredjepart-ID IdCompany=Firma-ID IdContact=Kontaktperson-ID -Contacts=Kontakter ThirdPartyContacts=Tredjeparts kontakter ThirdPartyContact=Tredjeparts kontakt/adresse Company=Bedrift @@ -298,7 +297,8 @@ AddContact=Opprett kontakt AddContactAddress=Opprett kontakt/adresse EditContact=Endre kontakt EditContactAddress=Endre kontakt/adresse -Contact=Kontaktperson +Contact=Kontakt/Adresse +Contacts=Kontakter ContactId=Kontakt ID ContactsAddresses=Kontakter / Adresser FromContactName=Navn: @@ -325,7 +325,8 @@ CompanyDeleted=Firma "%s" er slettet fra databasen. ListOfContacts=Oversikt over kontaktpersoner ListOfContactsAddresses=Oversikt over kontaktpersoner ListOfThirdParties=Liste over tredjeparter -ShowContact=Vis kontaktperson +ShowCompany=Tredjepart +ShowContact=Kontakt-Adresse ContactsAllShort=Alle (ingen filter) ContactType=Kontaktperson type ContactForOrders=Ordrekontakt @@ -424,7 +425,7 @@ ListSuppliersShort=Liste over leverandører ListProspectsShort=Liste over prospekter ListCustomersShort=Liste over kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Siste %s endrede tredjeparter +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Totalt antall tredjeparter InActivity=Åpent ActivityCeased=Stengt @@ -446,7 +447,7 @@ SaleRepresentativeFirstname=Selgers fornavn SaleRepresentativeLastname=Selgers etternavn ErrorThirdpartiesMerge=Det oppsto en feil ved sletting av tredjepart. Vennligst sjekk loggen. Endringer er blitt tilbakestilt. NewCustomerSupplierCodeProposed=Kunde eller leverandørkode er allerede brukt, en ny kode blir foreslått -KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address +KeepEmptyIfGenericAddress=Hold dette feltet tomt hvis denne adressen er en generisk verdi #Imports PaymentTypeCustomer=Betalingstype - Kunde PaymentTermsCustomer=Betalingsbetingelser - Kunde diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index 0268b80d861..4d55842aec8 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Se %sanalyse av betalinger%s for en beregning av fakt SeeReportInDueDebtMode=Se %sanalyse av fakturaer%s for en beregning basert på kjente registrerte fakturaer, selv om de ennå ikke er regnskapsført i hovedboken. SeeReportInBookkeepingMode=Se %sRegnskapsrapport%s for en beregning på Hovedbokstabell RulesAmountWithTaxIncluded=- Viste beløp er inkludert alle avgifter -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Inkluderer utestående fakturaer, utgifter, mva, donasjoner enten de er betalt eller ikke. Inkluderer også innbetalt lønn.
- Basert på faktureringsdato for fakturaer og på forfallsdato for utgifter eller skattebetalinger. For lønn definert med Lønnsmodul brukes valuteringsdato. RulesResultInOut=- Inkluderer betalinger gjort mot fakturaer, utgifter, MVA og lønn.
Basert på betalingsdato. Donasjonsdato for donasjoner -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Inkluderer kundens forfalte fakturaer enten de er betalt eller ikke.
- Basert på faktureringsdato for disse fakturaene.
RulesCAIn=- Inkluderer alle betalinger av fakturaer mottatt fra klienter.
- Er basert på betalingsdatoen for disse fakturaene
RulesCATotalSaleJournal=Den inkluderer alle kredittlinjer fra salgsjournalen. RulesAmountOnInOutBookkeepingRecord=Inkluderer poster i hovedboken med regnskapskontoer som har gruppen "UTGIFTER" eller "INNTEKT" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Omsetning fakturert etter MVA-sats TurnoverCollectedbyVatrate=Omsetning etter MVA-sats PurchasebyVatrate=Innkjøp etter MVA-sats LabelToShow=Kort etikett -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Kjøpsomsetning +PurchaseTurnoverCollected=Kjøpsomsetning mottatt +RulesPurchaseTurnoverDue=- Inkluderer leverandørens forfalte fakturaer enten de er betalt eller ikke.
- Basert på fakturadato for disse fakturaene.
+RulesPurchaseTurnoverIn=- Inkluderer alle leverandørbetalinger som er utført.
- Basert på betalingsdatoen for disse fakturaene
+RulesPurchaseTurnoverTotalPurchaseJournal=Inkluderer alle debetlinjer fra kjøpsjournalen. +ReportPurchaseTurnover=Kjøpsomsetning fakturert +ReportPurchaseTurnoverCollected=Kjøpsomsetning mottatt +IncludeVarpaysInResults = Inkluder forskjellige betalinger i rapportene +IncludeLoansInResults = Inkluder lån i rapporter diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index 8ec753e1705..813733f1ca6 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -235,8 +235,8 @@ ErrorLanguageOfTranslatedPageIsSameThanThisPage=Feil, språket på oversatt side ErrorBatchNoFoundForProductInWarehouse=Ingen partier/serier funnet for produktet "%s" i lageret "%s". ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Ikke nok mengde for dette partiet/serien for produktet "%s" i lageret "%s". ErrorOnlyOneFieldForGroupByIsPossible=Bare ett felt for 'Grupper etter' er mulig (andre blir forkastet) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorTooManyDifferentValueForSelectedGroupBy=Fant for mange forskjellige verdier (mer enn %s ) for feltet ' %s ', så vi kan ikke bruke det 'Gruppering' for grafikk. Feltet 'Grupper etter' er fjernet. Kan det være du ønsket å bruke den som en X-akse? +ErrorReplaceStringEmpty=Feil, strengen du vil erstatte til er tom # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parameteren upload_max_filesize (%s) er høyere enn PHP-parameteren post_max_size (%s). Dette er ikke et konsistent oppsett. WarningPasswordSetWithNoAccount=Et passord ble satt for dette medlemmet, men ingen brukerkonto ble opprettet. Det fører til at passordet ikke kan benyttes for å logge inn på Dolibarr. Det kan brukes av en ekstern modul/grensesnitt, men hvis du ikke trenger å definere noen innlogging eller passord for et medlem, kan du deaktivere alternativet "opprett en pålogging for hvert medlem" fra medlemsmodul-oppsettet. Hvis du trenger å administrere en pålogging, men ikke trenger noe passord, kan du holde dette feltet tomt for å unngå denne advarselen. Merk: E-post kan også brukes som en pålogging dersom medlemmet er knyttet til en bruker. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Advarsel, antall forskjellige m WarningDateOfLineMustBeInExpenseReportRange=Advarsel, datoen for linjen ligger utenfor tiden til utgiftsrapporten WarningProjectClosed=Prosjektet er stengt. Du må gjenåpne det først. WarningSomeBankTransactionByChequeWereRemovedAfter=Noen banktransaksjoner ble fjernet etter at kvitteringen deres ble generert. Antall sjekker og total mottak kan avvike fra antall og total på listen. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/nb_NO/hrm.lang b/htdocs/langs/nb_NO/hrm.lang index bd06659d680..413e52273a4 100644 --- a/htdocs/langs/nb_NO/hrm.lang +++ b/htdocs/langs/nb_NO/hrm.lang @@ -5,12 +5,13 @@ Establishments=Firmaer Establishment=Firma NewEstablishment=Nytt firma DeleteEstablishment=Slett firma -ConfirmDeleteEstablishment=Er du sikker på at du vil slette denne etableringen? +ConfirmDeleteEstablishment=Er du sikker på at du vil slette dette etablissementet? OpenEtablishment=Åpne firma CloseEtablishment=Lukk firma # Dictionary +DictionaryPublicHolidays=HRM - Helligdager DictionaryDepartment=HRM - Departementliste -DictionaryFunction=HRM - Funksjonsliste +DictionaryFunction=HRM - Job positions # Module Employees=Ansatte Employee=Ansatt diff --git a/htdocs/langs/nb_NO/install.lang b/htdocs/langs/nb_NO/install.lang index 33d72b19f03..e5d62a59c1e 100644 --- a/htdocs/langs/nb_NO/install.lang +++ b/htdocs/langs/nb_NO/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Denne PHP støtter Curl. PHPSupportCalendar=Denne PHP støtter kalenderutvidelser. PHPSupportUTF8=Denne PHP støtter UTF8 funksjoner. PHPSupportIntl=Dette PHP støtter Intl funksjoner. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Denne PHP støtter utvidede feilsøkingsfunksjoner. PHPSupport=Denne PHP støtter %s-funksjoner. PHPMemoryOK=Din PHP økt-minne er satt til maks.%s bytes. Dette bør være nok. PHPMemoryTooLow=Din PHP max økter-minnet er satt til %s bytes. Dette er for lavt. Endre php.ini å sette memory_limit parameter til minst %s byte. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Din PHP-installasjon støtter ikke Curl. ErrorPHPDoesNotSupportCalendar=PHP-installasjonen din støtter ikke php-kalenderutvidelser. ErrorPHPDoesNotSupportUTF8=Din PHP installasjon har ikke støtte for UTF8-funksjoner. Dolibarr vil ikke fungere riktig. Løs dette før du installerer Dolibarr. ErrorPHPDoesNotSupportIntl=PHP-installasjonen støtter ikke Intl-funksjoner. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=PHP-installasjonen din støtter ikke utvidede feilsøkingsfunksjoner. ErrorPHPDoesNotSupport=PHP-installasjonen din støtter ikke %s-funksjoner. ErrorDirDoesNotExists=Mappen %s finnes ikke. ErrorGoBackAndCorrectParameters=Gå tilbake og sjekk/korrigér parametrene. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Feil ble rapportert under migreringsprosessen, slik at YouTryInstallDisabledByDirLock=Programmet prøvde å oppgradere selv, men installerings- / oppgraderingssidene er deaktivert for sikkerhet (katalog omdøpt med .lock-suffiks).
YouTryInstallDisabledByFileLock=Programmet prøvde å oppgradere selv, men installerings- / oppgraderingssidene er deaktivert for sikkerhet (ved eksistensen av en låsfil install.lock i dolibarr-dokumenter katalogen).
ClickHereToGoToApp=Klikk her for å gå til din applikasjon -ClickOnLinkOrRemoveManualy=Klikk på følgende lenke. Hvis du alltid ser denne samme siden, må du fjerne/endre navn på filen install.lock i dokumentmappen. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +Loaded=Lastet +FunctionTest=Funksjonstest diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index b90db6eb455..45fc9f3a532 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Ingen mal tilgjengelig for denne e-posttypen AvailableVariables=Tilgjengelige erstatningsverdier NoTranslation=Ingen oversettelse Translation=Oversettelse -EmptySearchString=Skriv inn en ikke-tom søkestreng +EmptySearchString=Enter non empty search criterias NoRecordFound=Ingen post funnet NoRecordDeleted=Ingen poster slettet NotEnoughDataYet=Ikke nok data @@ -174,7 +174,7 @@ SaveAndStay=Lagre og bli SaveAndNew=Lagre og ny TestConnection=Test tilkobling ToClone=Klon -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Er du sikker på at du vil klone objektet %s? ConfirmClone=Velg hvilke data du vil klone: NoCloneOptionsSpecified=Det er ikke valgt noen data å klone. Of=av @@ -187,6 +187,8 @@ ShowCardHere=Vis kort Search=Søk SearchOf=Søk SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Hurtig legg til +QuickAddMenuShortCut=Ctrl + shift + l Valid=Gyldig Approve=Godkjenn Disapprove=Underkjenn @@ -426,6 +428,7 @@ Modules=Moduler/Applikasjoner Option=Opsjon List=Liste FullList=Full liste +FullConversation=Full samtale Statistics=Statistikk OtherStatistics=Annen statistikk Status=Status @@ -663,6 +666,7 @@ Owner=Eier FollowingConstantsWillBeSubstituted=Følgende konstanter vil bli erstattet med korresponderende verdi. Refresh=Oppdater BackToList=Tilbake til liste +BackToTree=Back to tree GoBack=Gå tilbake CanBeModifiedIfOk=Kan endres hvis gyldig CanBeModifiedIfKo=Kan endres hvis ugyldig @@ -830,8 +834,8 @@ Gender=Kjønn Genderman=Mann Genderwoman=Kvinne ViewList=Listevisning -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantt-visning +ViewKanban=Kanban-visning Mandatory=Obligatorisk Hello=Hei GoodBye=Farvel @@ -839,6 +843,7 @@ Sincerely=Med vennlig hilsen ConfirmDeleteObject=Er du sikker på at du vil slette dette objektet? DeleteLine=Slett linje ConfirmDeleteLine=Er du sikker på at du vil slette denne linjen? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Ingen PDF var tilgjengelig for dokumentgenerering blant kontrollerte poster TooManyRecordForMassAction=For mange poster valgt for masseutførelse. Maksimum %s poster er tillatt. NoRecordSelected=Ingen poster valgt @@ -953,12 +958,13 @@ SearchIntoMembers=Medlemmer SearchIntoUsers=Brukere SearchIntoProductsOrServices=Varer eller tjenester SearchIntoProjects=Prosjekter +SearchIntoMO=Produksjonsordrer SearchIntoTasks=Oppgaver SearchIntoCustomerInvoices=Kundefakturaer SearchIntoSupplierInvoices=Leverandørfakturaer SearchIntoCustomerOrders=Salgsordrer SearchIntoSupplierOrders=Innkjøpsordrer -SearchIntoCustomerProposals=Kundetilbud +SearchIntoCustomerProposals=Tilbud SearchIntoSupplierProposals=Leverandørtilbud SearchIntoInterventions=Intervensjoner SearchIntoContracts=Kontrakter @@ -1026,5 +1032,10 @@ Measures=Målinger XAxis=X-akse YAxis=Y-akse StatusOfRefMustBe=Status for %s må være %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +DeleteFileHeader=Bekreft sletting av fil +DeleteFileText=Vil du slette denne filen? +ShowOtherLanguages=Vis andre språk +SwitchInEditModeToAddTranslation=Bytt i redigeringsmodus for å legge til oversettelser for dette språket +NotUsedForThisCustomer=Ikke brukt for denne kunden +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang index 5dd4c5c3623..264c272dc05 100644 --- a/htdocs/langs/nb_NO/modulebuilder.lang +++ b/htdocs/langs/nb_NO/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Faresone BuildPackage=Bygg pakke BuildPackageDesc=Du kan generere en zip-pakke med applikasjonen din, slik at du er klar til å distribuere den på en hvilken som helst Dolibarr. Du kan også distribuere den eller selge den på enmarkedsplass som DoliStore.com . BuildDocumentation=Bygg dokumentasjon -ModuleIsNotActive=Denne modulen er ikke aktivert enda. Gå inn på %s for å aktivere eller klikk her: +ModuleIsNotActive=Denne modulen er ikke aktivert ennå. Gå til %s for å aktivere, eller klikk her ModuleIsLive=Denne modulen har blitt aktivert. Enhver endring kan ødelegge en gjeldende kjørende funksjon. DescriptionLong=Lang beskrivelse EditorName=Navn på editor @@ -139,3 +139,4 @@ ForeignKey=Fremmed nøkkel TypeOfFieldsHelp=Type felt:
varchar (99), dobbel (24,8), ekte, tekst, html, datetime, tidstempel, heltall, heltall:ClassName:relativepath/to/classfile.class.php [:1[:filter]] ('1' betyr at vi legger til en + -knapp etter kombinasjonsboksen for å opprette posten, 'filter' kan være 'status=1 OG fk_user=__USER_ID OG enhet IN (__SHARED_ENTITIES__)' for eksempel) AsciiToHtmlConverter=Ascii til HTML konverter AsciiToPdfConverter=Ascii til PDF konverter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/nb_NO/mrp.lang b/htdocs/langs/nb_NO/mrp.lang index 2fabf7d0232..5d307d14280 100644 --- a/htdocs/langs/nb_NO/mrp.lang +++ b/htdocs/langs/nb_NO/mrp.lang @@ -56,11 +56,12 @@ ToConsume=Å forbruke ToProduce=Å produsere QtyAlreadyConsumed=Antall allerede forbrukt QtyAlreadyProduced=Antall allerede produsert +QtyRequiredIfNoLoss=Antall påkrevd hvis det ikke finnes tap (Produksjonseffektivitet er 100%%) ConsumeOrProduce=Forbruk eller produser ConsumeAndProduceAll=Forbruk og produser alt Manufactured=Produsert TheProductXIsAlreadyTheProductToProduce=Varen du vil legge til er allerede varen du vil produsere. -ForAQuantityOf1=For å produsere 1 +ForAQuantityOf=For en produksjonsmengde på %s ConfirmValidateMo=Er du sikker på at du vil validere denne produksjonsordren? ConfirmProductionDesc=Ved å klikke på '%s', vil du validere forbruket og/eller produksjonen for angitte mengder. Dette vil også oppdatere lagermengde og registrere lagerebevegelser. ProductionForRef=Produksjon av %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Produktmengde som fremdeles skal produseres for åpen MO AddNewConsumeLines=Legg til en ny linje for konsum ProductsToConsume=Vare å konsumere ProductsToProduce=Varer å produsere +UnitCost=Enhetskostnad +TotalCost=Totalkostnad +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index 4c894695c78..fd68664e5c8 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -34,7 +34,7 @@ GraphInBarsAreLimitedToNMeasures=Grafikk er begrenset til %s-mål i 'Barer' -mod OnlyOneFieldForXAxisIsPossible=Bare ett felt er for øyeblikket mulig som X-Akse. Bare det første valgte feltet er valgt. AtLeastOneMeasureIsRequired=Det kreves minst ett felt for mål AtLeastOneXAxisIsRequired=Minst ett felt for X-akse er påkrevd -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=Siste blogginnlegg Notify_ORDER_VALIDATE=Salgsordre validert Notify_ORDER_SENTBYMAIL=Salgsordre sendt via epost Notify_ORDER_SUPPLIER_SENTBYMAIL=Innkjøpsordre sendt via e-post @@ -85,8 +85,8 @@ MaxSize=Maksimal størrelse AttachANewFile=Legg ved ny fil/dokument LinkedObject=Lenkede objekter NbOfActiveNotifications=Antall notifikasjoner (antall e-postmottakere) -PredefinedMailTest=__(Hei)__\nDette er en testmelding sendt til __EMAIL__.\nDe to linjene er skilt fra hverandre med et linjeskift.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hei)__\nDette er en test e-post (ordtesten må være i fet skrift). De to linjene skilles med et linjeskift.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hei)__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hei)__\n\nVedlagt faktura __REF__ \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hei)__\n\nVi vil gjerne minne om at fakturaen __REF__ ikke har blitt betalt. En kopi av fakturaen er vedlagt som en påminnelse.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ @@ -274,7 +274,7 @@ WEBSITE_PAGEURL=Side-URL WEBSITE_TITLE=Tittel WEBSITE_DESCRIPTION=Beskrivelse WEBSITE_IMAGE=Bilde -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Relativ bane for bildemediet. Du kan holde dennee tom da dette sjelden blir brukt (det kan brukes av dynamisk innhold for å vise et miniatyrbilde i en liste over blogginnlegg). Bruk __WEBSITE_KEY__ i banen hvis banen avhenger av nettstedets navn (for eksempel: image/__WEBSITE_KEY__/stories/myimage.png). WEBSITE_KEYWORDS=Nøkkelord LinesToImport=Linjer å importere diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index ec59a80ddcc..705a565ec58 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Dette verktøyet oppdaterer MVA-verdien som er definert MassBarcodeInit=Masse strekkode-endring MassBarcodeInitDesc=Denne siden kan brukes til å lage strekkoder for objekter som ikke har dette. Kontroller at oppsett av modulen Strekkoder er fullført. ProductAccountancyBuyCode=Regnskapskode (kjøp) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Regnskapskode (kjøp innen fellesskap) +ProductAccountancyBuyExportCode=Regnskapskode (kjøpsimport) ProductAccountancySellCode=Regnskapskode (salg) ProductAccountancySellIntraCode=Regnskapskode (salg intra-community) ProductAccountancySellExportCode=Regnskapskode (salgseksport) @@ -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 endrede varer/tjenester +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Siste %s registrerte varer LastRecordedServices=Siste %s registrerte tjenester CardProduct0=Vare @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Notat (vises ikke på fakturaer, tilbud...) ServiceLimitedDuration=Hvis varen er en tjeneste med begrenset varighet: MultiPricesAbility=Flere prissegmenter for hver vare/tjeneste (hver kunde er i et segment) MultiPricesNumPrices=Pris antall +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Aktiver virtuelle varer (sett) AssociatedProducts=Virtuelle varer AssociatedProductsNumber=Antall tilknyttede varer @@ -167,7 +168,7 @@ SuppliersPrices=Leverandørpriser SuppliersPricesOfProductsOrServices=Leverandørpriser (av varer eller tjenester) CustomCode=Toll / vare / HS-kode CountryOrigin=Opprinnelsesland -Nature=Nature of product (material/finished) +Nature=Produktets art (materiale/ferdig) ShortLabel=Kort etikett Unit=Enhet p= stk diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index 563ac6d01d5..220c3e6434e 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Sub-oppgave TaskHasChild=Oppgave har underoppgaver NotOwnerOfProject=Ikke eier av dette private prosjektet AffectedTo=Tildelt -CantRemoveProject=Dette prosjektet kan ikke fjernes da det er referert til av andre objekter (faktura, bestillinger eller annet). Se referanse-kategorien. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Valider prosjekt ConfirmValidateProject=Er du sikker på at du vil validere dette prosjektet? CloseAProject=Lukk prosjektet @@ -255,7 +255,7 @@ ServiceToUseOnLines=Tjeneste for bruk på linjer InvoiceGeneratedFromTimeSpent=Faktura %s er generert fra tid brukt på prosjekt ProjectBillTimeDescription=Sjekk om du legger inn timeliste på prosjektoppgaver, OG planlegger å generere faktura (er) fra timelisten for å fakturere kunden til prosjektet (ikke kryss av om du planlegger å opprette faktura som ikke er basert på innlagte timelister). Merk: For å generere faktura, gå til fanen 'Tidsbruk' av prosjektet og velg linjer du vil inkludere. ProjectFollowOpportunity=Følg mulighet -ProjectFollowTasks=Follow tasks or time spent +ProjectFollowTasks=Følg oppgaver eller tidsbruk Usage=Bruk UsageOpportunity=Bruk: Mulighet UsageTasks=Bruk: Oppgaver @@ -265,3 +265,4 @@ NewInvoice=Ny faktura OneLinePerTask=Én linje per oppgave OneLinePerPeriod=Én linje per periode RefTaskParent=Ref. forelderoppgave +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/nb_NO/receptions.lang b/htdocs/langs/nb_NO/receptions.lang index 4142ac04982..b583062a92c 100644 --- a/htdocs/langs/nb_NO/receptions.lang +++ b/htdocs/langs/nb_NO/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Varekvantitet fra åpen leverandø ValidateOrderFirstBeforeReception=Du må først validere ordren før du kan gjøre mottak. ReceptionsNumberingModules=Nummereringsmodul for mottak ReceptionsReceiptModel=Dokumentmaler for mottak +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang index 1ca57110f1b..c479bb48222 100644 --- a/htdocs/langs/nb_NO/stocks.lang +++ b/htdocs/langs/nb_NO/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Lagerverdi UserWarehouseAutoCreate=Opprett et brukerlager automatisk når du oppretter en bruker AllowAddLimitStockByWarehouse=Administrer verdi for minimum og ønsket lager per sammenkobling (varelager) i tillegg til verdien for minimum og ønsket lager pr. vare +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Standard lager +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Beholdning for vare og delvare er uavhengige QtyDispatched=Antall sendt QtyDispatchedShort=Mengde utsendt @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Lageret %s vil bli brukt til reduksjon av vareb WarehouseForStockIncrease=Lageret %s vil bli brukt til økning av varebeholdning ForThisWarehouse=For dette lageret ReplenishmentStatusDesc=Dette er en liste over alle varer med beholdning lavere enn ønsket (eller lavere enn varslingsverdi hvis boksen "bare varsling" er krysset av). Ved hjelp av avkrysningsboksen, kan du opprette innkjøpsordre for å fylle differansen. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Dette er en liste over alle åpne innkjøpsordre, inkludert forhåndsdefinerte varer. Bare åpne ordrer med forhåndsdefinerte produkter, slik at ordre som kan påvirke beholdning, er synlige her. Replenishments=Lagerpåfyllinger NbOfProductBeforePeriod=Beholdning av varen %s før valgte periode (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Varetelling for et spesifikt lager InventoryForASpecificProduct=Varetelling for en spesifikk vare StockIsRequiredToChooseWhichLotToUse=Det kreves lagerbeholdning for å velge hvilken lot du vil bruke ForceTo=Tving til +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/nb_NO/ticket.lang b/htdocs/langs/nb_NO/ticket.lang index a0f7642ef92..79405c2792d 100644 --- a/htdocs/langs/nb_NO/ticket.lang +++ b/htdocs/langs/nb_NO/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Supportseddel nummereringsmodul TicketNotifyTiersAtCreation=Varsle tredjepart ved opprettelse TicketGroup=Gruppe TicketsDisableCustomerEmail=Slå alltid av e-post når en billett er opprettet fra det offentlige grensesnittet +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Supportsedler - hjem +TicketsIndex=Billettområde TicketList=Liste over supportsedler TicketAssignedToMeInfos=Denne siden viser Supportseddel-liste som er tilordnet gjeldende bruker NoTicketsFound=Ingen supportseddel funnet diff --git a/htdocs/langs/nb_NO/users.lang b/htdocs/langs/nb_NO/users.lang index 9afc41913f8..51aab186f73 100644 --- a/htdocs/langs/nb_NO/users.lang +++ b/htdocs/langs/nb_NO/users.lang @@ -70,7 +70,7 @@ ExportDataset_user_1=Brukere og deres egenskaper DomainUser=Domenebruker %s Reactivate=Reaktiver CreateInternalUserDesc=Dette skjemaet gir deg mulighet til å opprette en intern bruker til din bedrift/organisasjon. For å opprette en ekstern bruker (kunde, leverandør, ...), bruk knappen "Opprett Dolibarr-bruker" fra tredjeparts kontaktkort. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +InternalExternalDesc=En intern bruker er en bruker som er en del av din bedrift/organisasjon.
Enekstern bruker er en kunde, leverandør eller annet (Å opprette en ekstern bruker for en tredjepart kan gjøres fra kontaktkortet til tredjepart).

I begge tilfeller defineres rettigheter i Dolibarr, også ekstern bruker kan ha en annen menystyrer enn intern bruker (se Hjem - Oppsett - Display) PermissionInheritedFromAGroup=Rettigheter innvilget fordi de er arvet av en brukegruppe. Inherited=Arvet UserWillBeInternalUser=Opprettet bruker vil være en intern bruker (fordi ikke knyttet til en bestemt tredjepart) @@ -78,6 +78,7 @@ UserWillBeExternalUser=Opprettet bruker vil være en ekstern bruker (fordi knytt IdPhoneCaller=Telefon ID NewUserCreated=Brukeren %s er opprettet NewUserPassword=Passord er endret for %s +NewPasswordValidated=Det nye passordet ditt er validert og må brukes nå for å logge inn. EventUserModified=Brukeren %s er endret UserDisabled=Brukeren %s er deaktivert UserEnabled=Brukeren %s er aktivert @@ -113,5 +114,5 @@ CantDisableYourself=Du kan ikke deaktivere din egen brukeroppføring ForceUserExpenseValidator=Tvunget utgiftsrapport-validator ForceUserHolidayValidator=Tvunget friforespørsel-validator ValidatorIsSupervisorByDefault=Som standard er validatoren veileder for brukeren. Hold tom for å beholde denne oppførselen. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Privat e-post +UserPersonalMobile=Privat mobil diff --git a/htdocs/langs/nb_NO/website.lang b/htdocs/langs/nb_NO/website.lang index 9137f31703f..df2a84c56c5 100644 --- a/htdocs/langs/nb_NO/website.lang +++ b/htdocs/langs/nb_NO/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Nettstedets .htaccess-fil WEBSITE_MANIFEST_JSON=Nettstedets manifest.json-fil WEBSITE_README=README.md-fil +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Skriv inn metadata eller lisensinformasjon for å arkivere en README.md-fil. Hvis du distribuerer nettstedet ditt som en mal, vil filen bli inkludert i mal-pakken. HtmlHeaderPage=HTML-header (kun for denne siden) PageNameAliasHelp=Navn eller alias på siden.
Dette aliaset brukes også til å lage en SEO-URL når nettsiden blir kjørt fra en virtuell vert til en webserver (som Apacke, Nginx, ...). Bruk knappen "%s" for å redigere dette aliaset. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode for å utføre 'dynamisk innhold' er %s GlobalCSSorJS=Global CSS/JS/Header-fil på nettstedet BackToHomePage=Tilbake til hjemmesiden... TranslationLinks=Oversettelseslenker -YouTryToAccessToAFileThatIsNotAWebsitePage=Du prøver å få tilgang til en side som ikke er en webside +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For god SEO-praksis, bruk en tekst mellom 5 og 70 tegn MainLanguage=Hovedspråk OtherLanguages=Andre språk @@ -128,3 +129,6 @@ UseManifest=Oppgi en manifest.json-fil PublicAuthorAlias=Offentlig forfatter alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Tilgjengelige språk er definert i nettstedegenskaper ReplacementDoneInXPages=Utskifting utført på %s sider eller containere +RSSFeed=RSS nyhetsstrøm +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/nb_NO/withdrawals.lang b/htdocs/langs/nb_NO/withdrawals.lang index 77931dbf507..a4d09906b05 100644 --- a/htdocs/langs/nb_NO/withdrawals.lang +++ b/htdocs/langs/nb_NO/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Område for direktedebetsordre -SuppliersStandingOrdersArea=Område for direktekreditordre +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direktedebet betalingsordre StandingOrderPayment=Direktedebet betalingsordre NewStandingOrder=Ny direktedebetsordre +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Til behandling +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direktedebetsordre WithdrawalReceipt=Direktedebiter ordre +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Siste %s direktedebetslinjer +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direktedebiter ordrelinjer -RequestStandingOrderToTreat=Forespør prossesering av direktedebetsordre -RequestStandingOrderTreated=Forespør prossesererte direktedebetsordre +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Ennå ikke mulig. Tilbaketrekkings-status må være satt til 'kreditert' før fjerning fra spesifikke linjer. -NbOfInvoiceToWithdraw=Antall kvalifiserte fakturaer med ventende avbestillingsordre +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Antall kundefakturaer med direktedebetsordre som har definert bankkontoinformasjon +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Faktura som venter på direktedebet +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Beløp å tilbakekalle -WithdrawsRefused=Direktedebet avvist -NoInvoiceToWithdraw=Ingen kundefaktura med åpne 'Debetforespørsler' venter. Gå til fanen '%s' på fakturakortet for å gjøre en forespørsel. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=Ingen leverandørfaktura med åpne 'Direkte kredittforespørsler' venter. Gå til fanen '%s' på fakturakortet for å sende en forespørsel. ResponsibleUser=Brukeransvarlig WithdrawalsSetup=Oppsett av direktedebetsbetalinger +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Statistikk over direktedebetsbetalinger -WithdrawRejectStatistics=Statistikk over avviste direktedebetsbetalinger +CreditTransferStatistics=Credit transfer statistics +Rejects=Avvisninger LastWithdrawalReceipt=Siste %s direktedebetskvitteringer MakeWithdrawRequest=Foreta en direktedebet betalingsforespørsel WithdrawRequestsDone=%s direktedebet-betalingforespørsler registrert @@ -34,7 +50,9 @@ TransMetod=Metode for overføring Send=Send Lines=Linjer StandingOrderReject=Utsted en avvisning +WithdrawsRefused=Direktedebet avvist WithdrawalRefused=Tilbakekalling avvist +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Er du sikker på at du vil avvise en tilbakekallings-forespørsel for medlemmet? RefusedData=Dato for avvisning RefusedReason=Årsak til avslag @@ -58,6 +76,8 @@ StatusMotif8=Annen grunn CreateForSepaFRST=Opprett direktedebetsfil (SEPA FRST) CreateForSepaRCUR=Opprett direktedebitfil (SEPA RCUR) CreateAll=Opprett direktedebetfil (alle) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Bare kontor CreateBanque=Bare bank OrderWaiting=Venter på behandling @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bankkontoer som bruker RIB WithBankUsingBANBIC=For bankkontoer som bruker IBAN/BIC/SWIFT BankToReceiveWithdraw=Mottakende bankkonto +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kreditt på WithdrawalFileNotCapable=Kan ikke ikke generere kvitteringsfil for tilbaketrekking for landet ditt %s (Landet er ikke støttet) ShowWithdraw=Vis direkte debitordre @@ -74,10 +95,10 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Men, hvis fakturaen har minst én avb DoStandingOrdersBeforePayments=Under denne fanen kan du be om en direktedebet-betalingsordre .Når dette er gjort, kan du gå inn i menyen Bank-> direktedebet-ordre for å håndtere betalingsoppdraget .Når betalingsoppdraget er lukket, vil betaling på fakturaen automatisk bli registrert, og fakturaen lukkes hvis restbeløpet er null. WithdrawalFile=Tilbaketrekkingsfil SetToStatusSent=Sett status til "Fil Sendt" -ThisWillAlsoAddPaymentOnInvoice=Dette vil også registrere innbetalinger til fakturaer og klassifisere dem som "Betalt" hvis restbeløp å betale er null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistikk etter linjestatus -RUM=Unique Mandate Reference (UMR) -DateRUM=Mandate signature date +RUM=UMR +DateRUM=Mandats signaturdato RUMLong=Unik Mandat Referanse RUMWillBeGenerated=Hvis tomt, vil UMR (Unique Mandate Reference) bli generert når bankkontoinformasjon er lagret WithdrawMode=Direktedebetsmodus (FRST eller RECUR) diff --git a/htdocs/langs/ne_NP/accountancy.lang b/htdocs/langs/ne_NP/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/ne_NP/accountancy.lang +++ b/htdocs/langs/ne_NP/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ne_NP/admin.lang b/htdocs/langs/ne_NP/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/ne_NP/admin.lang +++ b/htdocs/langs/ne_NP/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ne_NP/agenda.lang b/htdocs/langs/ne_NP/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/ne_NP/agenda.lang +++ b/htdocs/langs/ne_NP/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ne_NP/banks.lang b/htdocs/langs/ne_NP/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/ne_NP/banks.lang +++ b/htdocs/langs/ne_NP/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/ne_NP/bills.lang b/htdocs/langs/ne_NP/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/ne_NP/bills.lang +++ b/htdocs/langs/ne_NP/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ne_NP/cashdesk.lang b/htdocs/langs/ne_NP/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/ne_NP/cashdesk.lang +++ b/htdocs/langs/ne_NP/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ne_NP/categories.lang b/htdocs/langs/ne_NP/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/ne_NP/categories.lang +++ b/htdocs/langs/ne_NP/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ne_NP/companies.lang b/htdocs/langs/ne_NP/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/ne_NP/companies.lang +++ b/htdocs/langs/ne_NP/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/ne_NP/errors.lang b/htdocs/langs/ne_NP/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/ne_NP/errors.lang +++ b/htdocs/langs/ne_NP/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ne_NP/hrm.lang b/htdocs/langs/ne_NP/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/ne_NP/hrm.lang +++ b/htdocs/langs/ne_NP/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/ne_NP/install.lang b/htdocs/langs/ne_NP/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/ne_NP/install.lang +++ b/htdocs/langs/ne_NP/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ne_NP/main.lang b/htdocs/langs/ne_NP/main.lang index 824a5e495b8..adbc443198f 100644 --- a/htdocs/langs/ne_NP/main.lang +++ b/htdocs/langs/ne_NP/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ne_NP/modulebuilder.lang b/htdocs/langs/ne_NP/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ne_NP/modulebuilder.lang +++ b/htdocs/langs/ne_NP/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ne_NP/mrp.lang b/htdocs/langs/ne_NP/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/ne_NP/mrp.lang +++ b/htdocs/langs/ne_NP/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ne_NP/other.lang b/htdocs/langs/ne_NP/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/ne_NP/other.lang +++ b/htdocs/langs/ne_NP/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ne_NP/products.lang b/htdocs/langs/ne_NP/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/ne_NP/projects.lang b/htdocs/langs/ne_NP/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/ne_NP/projects.lang +++ b/htdocs/langs/ne_NP/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ne_NP/receptions.lang b/htdocs/langs/ne_NP/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/ne_NP/receptions.lang +++ b/htdocs/langs/ne_NP/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ne_NP/stocks.lang b/htdocs/langs/ne_NP/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/ne_NP/stocks.lang +++ b/htdocs/langs/ne_NP/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ne_NP/ticket.lang b/htdocs/langs/ne_NP/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/ne_NP/ticket.lang +++ b/htdocs/langs/ne_NP/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/ne_NP/website.lang b/htdocs/langs/ne_NP/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/ne_NP/website.lang +++ b/htdocs/langs/ne_NP/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ne_NP/withdrawals.lang b/htdocs/langs/ne_NP/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/ne_NP/withdrawals.lang +++ b/htdocs/langs/ne_NP/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 4606f2d05f1..1ab3cf1897d 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -67,6 +67,7 @@ SeeInMarkerPlace=Zie Marktplaats AchatTelechargement=Kopen / Downloaden GoModuleSetupArea=Ga naar het gedeelte Module-instellingen om een nieuwe module te implementeren / installeren: %s . DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Externe websites voor meer add-on (niet-basis) modules ... BoxesActivated=Geactiveerde widgets DoNotStoreClearPassword=Versleutel wachtwoorden opgeslagen in database (NIET als platte tekst). Het wordt sterk aanbevolen om deze optie te activeren. @@ -149,7 +150,6 @@ ExtrafieldPassword=Paswoord ExtrafieldRadio=Radioknoppen (slechts één keuze) ExtrafieldCheckBox=checkboxes ExtrafieldCheckBoxFromList=Selectievakjes uit tabel -ComputedFormulaDesc=U kunt hier een formule invoeren met andere eigenschappen van het object of een willekeurige PHP-codering om een dynamische berekende waarde te krijgen. U kunt alle PHP-compatibele formules gebruiken, inclusief de "?" voorwaarde-operator en het volgende globale object: $db, $conf, $langs, $mysoc, $user, $object .
WAARSCHUWING: Mogelijk zijn slechts enkele eigenschappen van $ object beschikbaar. Als u eigenschappen nodig hebt die niet zijn geladen, haalt u het object gewoon in uw formule op zoals in het tweede voorbeeld.
Als u een berekend veld gebruikt, kunt u geen waarde invoeren via de interface. Als er een syntaxisfout is, kan de formule ook niets retourneren.

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

Voorbeeld om een object opnieuw te laden
(($reloadedobj = new Societe($db)) && ($reloadedobj->fetch($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Ander voorbeeld van een formule om de belasting van het object en het bovenliggende object te forceren:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' LibraryToBuildPDF=Bibliotheek om PDF bestanden te genereren. SetAsDefault=Instellen als standaard NoDetails=Geen aanvullende details in voettekst @@ -158,6 +158,7 @@ DisplayCompanyManagers=Namen van beheerders weergeven DisplayCompanyInfoAndManagers=Bedrijfsadres en namen van managers weergeven ModuleCompanyCodePanicum=Retourneer een lege boekhoudcode. Module40Name=Verkoper +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module1780Name=Labels/Categorien Module1780Desc=Label/categorie maken (producten, klanten, leveranciers, contacten of leden) Permission1004=Bekijk voorraadmutaties @@ -170,7 +171,8 @@ SalariesSetup=Setup van module salarissen MailToSendProposal=Klant voorstellen MailToSendInvoice=Klantfacturen AddBoxes=Widgets toevoegen -OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +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. GeneralOptions=Algemene opties ExportSetup=Installatie van module Exporteren +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/nl_BE/banks.lang b/htdocs/langs/nl_BE/banks.lang index f7cd8f50514..9030ea033bc 100644 --- a/htdocs/langs/nl_BE/banks.lang +++ b/htdocs/langs/nl_BE/banks.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - banks +TransferTo=Aan BankChecksToReceipt=Te innen cheques BankChecksToReceiptShort=Te innen cheques BankMovements=Mutaties diff --git a/htdocs/langs/nl_BE/bills.lang b/htdocs/langs/nl_BE/bills.lang index 7d08e4fdf03..460b3139e48 100644 --- a/htdocs/langs/nl_BE/bills.lang +++ b/htdocs/langs/nl_BE/bills.lang @@ -36,7 +36,6 @@ PaymentTypeTRA=Bank cheque ChequeMaker=Cheque / Transfer uitvoerder DepositId=Id storting ShowUnpaidAll=Bekijk alle onbetaalde facturen -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template TypeContact_facture_external_BILLING=Klant contact NotLastInCycle=Deze factuur is niet de laatste in de rij en mag niet worden aangepast. PDFCrevetteSituationInvoiceLineDecompte=Situatie factuur - AANTAL diff --git a/htdocs/langs/nl_BE/companies.lang b/htdocs/langs/nl_BE/companies.lang index 2cb3ef0e33b..4740a852cae 100644 --- a/htdocs/langs/nl_BE/companies.lang +++ b/htdocs/langs/nl_BE/companies.lang @@ -90,7 +90,6 @@ ListSuppliersShort=Lijst met leveranciers ListProspectsShort=Lijst met Prospecten ListCustomersShort=Lijst met klanten ThirdPartiesArea=Derden / contacten -LastModifiedThirdParties=Laatste %s gemodificeerde derde partijen ThirdPartyIsClosed=Derde partij is gesloten ProductsIntoElements=Lijst van producten/diensten in %s OutstandingBillReached=Maximum bereikt voor openstaande rekening diff --git a/htdocs/langs/nl_BE/hrm.lang b/htdocs/langs/nl_BE/hrm.lang index 15edcc42c1e..da228383133 100644 --- a/htdocs/langs/nl_BE/hrm.lang +++ b/htdocs/langs/nl_BE/hrm.lang @@ -4,6 +4,7 @@ Establishments=Inrichtingen Establishment=Inrichting NewEstablishment=Nieuwe inrichting DeleteEstablishment=Verwijderen inrichting +ConfirmDeleteEstablishment=Weet U zeker dat U deze inrichting wilt verwijderen ? OpenEtablishment=Open inrichting CloseEtablishment=Sluit inrichting DictionaryDepartment=HRM - afdelingen lijst diff --git a/htdocs/langs/nl_BE/main.lang b/htdocs/langs/nl_BE/main.lang index c833cf05a1f..34b534324fb 100644 --- a/htdocs/langs/nl_BE/main.lang +++ b/htdocs/langs/nl_BE/main.lang @@ -19,6 +19,7 @@ FormatDateHourShort=%d-%m-%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +EmptySearchString=Enter non empty search criterias NoRecordFound=Geen record gevonden ErrorCanNotCreateDir=Kan dir %s niet maken ErrorCanNotReadDir=Kan dir %s niet lezen @@ -71,6 +72,8 @@ PriceQtyMinHTCurrency=Prijs hoeveelheid min. (excl. BTW) (valuta) ActionRunningShort=Bezig Running=Bezig Categories=Tags / categorieën +to=aan +To=aan ApprovedBy2=Goedgekeurd door (tweede goedkeuring) SetLinkToAnotherThirdParty=Link naar een derde partij SelectAction=Selecteer actie @@ -86,5 +89,4 @@ Select2LoadingMoreResults=Laden van meer resultaten... Select2SearchInProgress=Zoeken is aan de gang... SearchIntoProductsOrServices=Producten of diensten SearchIntoCustomerInvoices=Klant facturen -SearchIntoCustomerProposals=Klant voorstellen SearchIntoExpenseReports=Uitgaven rapporten diff --git a/htdocs/langs/nl_BE/modulebuilder.lang b/htdocs/langs/nl_BE/modulebuilder.lang deleted file mode 100644 index 8bbcc78a506..00000000000 --- a/htdocs/langs/nl_BE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: diff --git a/htdocs/langs/nl_BE/receptions.lang b/htdocs/langs/nl_BE/receptions.lang index f2c5fc66125..0b12fdd789c 100644 --- a/htdocs/langs/nl_BE/receptions.lang +++ b/htdocs/langs/nl_BE/receptions.lang @@ -1,2 +1,18 @@ # Dolibarr language file - Source file is en_US - receptions +RefReception=Ref. ontvangst +Receptions=Ontvangen +ShowReception=Ontvangsten weergeven +ReceptionsArea=Ontvangsten gedeelte +ListOfReceptions=Lijst van ontvangsten +StatisticsOfReceptions=Statistieken voor ontvangsten +CreateReception=Creëer ontvangst +QtyInOtherReceptions=Aantal in andere ontvangsten +ReceptionsAndReceivingForSameOrder=Ontvangsten en bonnen voor deze bestelling +ReceptionSheet=Ontvangst blad +StatsOnReceptionsOnlyValidated=Statistieken uitgevoerd op ontvangsten alleen gevalideerd. De gebruikte datum is de datum van ontvangst van de ontvangstbon (geplande leverdatum is niet altijd bekend). +ActionsOnReception=Evenementen bij de receptie +ReceptionCreationIsDoneFromOrder=Momenteel wordt een nieuwe ontvangst gemaakt vanaf de bestelkaart. ProductQtyInSuppliersReceptionAlreadyRecevied=Ontvangen hoeveelheid producten uit geopende leveranciersbestelling +ValidateOrderFirstBeforeReception=Je moet eerst de bestelling valideren voordat je recepties kunt maken. +ReceptionsNumberingModules=Nummeringsmodule voor recepties +ReceptionsReceiptModel=Documentsjablonen voor recepties diff --git a/htdocs/langs/nl_BE/website.lang b/htdocs/langs/nl_BE/website.lang index e8f0a2d4af0..05a97bd129a 100644 --- a/htdocs/langs/nl_BE/website.lang +++ b/htdocs/langs/nl_BE/website.lang @@ -7,3 +7,4 @@ ViewSiteInNewTab=Bekijk de site in een nieuwe tab ViewPageInNewTab=Bekijk de pagina in een nieuwe tab SetAsHomePage=Zet als Homepagina ViewWebsiteInProduction=Bekijk website via de home URL's +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index a25671bd5da..81e55b3c1de 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=De volgende stappen kunnen in de toekomst een t AccountancyAreaDescActionFreq=De volgende werkzaamheden worden meestal elke maand, week of dagelijks uitgevoerd bij grote bedrijven.... AccountancyAreaDescJournalSetup=STAP %s: Aanmaken of controleren journaal vanuit menu %s -AccountancyAreaDescChartModel=STAP %s: Maak rekeningschema aan vanuit menu %s -AccountancyAreaDescChart=STAP %s: Aanmaken of controleren van het rekeningschema menu %s +AccountancyAreaDescChartModel=STAP %s: Controleer of er een rekeningschema bestaat of maak er een vanuit het menu %s +AccountancyAreaDescChart=STAP %s: Selecteer en/of voltooi uw rekeningoverzicht vanuit menu %s AccountancyAreaDescVat=STAP %s: Vastleggen grootboekrekeningen voor BTW registratie. Gebruik hiervoor menukeuze %s. AccountancyAreaDescDefault=STAP %s: standaard grootboekrekeningen vastleggen. Gebruik hiervoor het menu-item %s. diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index 9d99e689e2e..0b892b20f10 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Volgende waarde (facturen) NextValueForCreditNotes=Volgende waarde (creditnota's) NextValueForDeposit=Volgende waarde (storting) NextValueForReplacements=Volgende waarde (vervangingen) -MustBeLowerThanPHPLimit=Opmerking: uw PHP-configuratie beperkt momenteel de maximale bestandsgrootte voor upload naar %s %s, ongeacht de waarde van deze parameter +MustBeLowerThanPHPLimit=Opmerking: uw PHP-configuratie beperkt momenteel de maximale bestandsgrootte voor uploaden tot %s %s, ongeacht de waarde van deze parameter NoMaxSizeByPHPLimit=Opmerking: Geen limiet ingesteld in uw PHP instellingen MaxSizeForUploadedFiles=Maximale grootte voor geüploade bestanden (0 om uploaden niet toe te staan) UseCaptchaCode=Gebruik een grafische code (CAPTCHA) op de aanmeldingspagina (SPAM preventie) @@ -207,7 +207,7 @@ ModulesMarketPlaces=Vind externe apps of modules ModulesDevelopYourModule=Ontwikkel uw eigen app/modules ModulesDevelopDesc=U kunt ook uw eigen module ontwikkelen of een partner vinden om er een voor u te ontwikkelen. DOLISTOREdescriptionLong=In plaats van de website www.dolistore.com in te schakelen om een externe module te vinden, kunt u deze ingebouwde tool gebruiken die de zoekopdracht op de externe markt voor u uitvoert (mogelijk traag, heeft een internetverbinding nodig) ... -NewModule=Nieuw +NewModule=Nieuwe module FreeModule=Gratis CompatibleUpTo=Compatibel met versie %s NotCompatible=Deze module lijkt niet compatibel met uw Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Nieuwigheid AchatTelechargement=Kopen/Downloaden GoModuleSetupArea=Ga naar het gedeelte Module-instellingen om een nieuwe module te implementeren/installeren: %s . DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules. -DoliPartnersDesc=Lijst van bedrijven die op maat ontwikkelde modules of functies aanbieden.
Opmerking: aangezien Dolibarr een open source-toepassing is, kan iedereen die ervaring heeft met PHP-programmering een module ontwikkelen. +DoliPartnersDesc=Lijst met bedrijven die op maat ontwikkelde modules of functies leveren.
Opmerking: aangezien Dolibarr een open source-applicatie is, moet iedereen die ervaring heeft met PHP-programmering een module moeten kunnen ontwikkelen. WebSiteDesc=Externe websites voor meer add-on (niet-core) modules ... DevelopYourModuleDesc=Enkele oplossingen om uw eigen module te ontwikkelen ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Geef een telefoonnummer om de ClickToDial link te testen v RefreshPhoneLink=Herladen link LinkToTest=Klikbare link gegenereerd voor gebruiker% s (klik telefoonnummer om te testen) KeepEmptyToUseDefault=Laat leeg om standaardwaarde te gebruiken +KeepThisEmptyInMostCases=In de meeste gevallen kunt u dit veld leeglaten. DefaultLink=Standaard link SetAsDefault=Gebruik standaard ValueOverwrittenByUserSetup=Waarschuwing, deze waarde kan worden overschreven door de gebruiker specifieke setup (elke gebruiker kan zijn eigen ClickToDial url ingestellen) ExternalModule=Externe module InstalledInto=Geïnstalleerd in directory %s -BarcodeInitForthird-parties=Massa streepjescode initialisatie relaties +BarcodeInitForThirdparties=Massa streepjescode initialisatie relaties BarcodeInitForProductsOrServices=Mass barcode init of reset voor producten of diensten CurrentlyNWithoutBarCode=Momenteel hebt u een %s record op %s%s zonder gedefinieerde streepjescode. InitEmptyBarCode=Init waarde voor de volgende %s lege records @@ -541,8 +542,8 @@ Module54Name=Contracten/Abonnementen Module54Desc=Beheer van contracten (diensten of terugkerende abonnementen) Module55Name=Streepjescodes Module55Desc=Streepjescodesbeheer -Module56Name=Telefonie -Module56Desc=Telefoniebeheer +Module56Name=Betaling via overschrijving +Module56Desc=Beheer van betalingen via SEPA. Dit bevat het genereren van een SEPA-bestand voor Europese landen. Module57Name=Betalingen via automatische incasso Module57Desc=Beheer van betalingsopdrachten voor automatische incasso. Het omvat het genereren van SEPA-bestanden voor Europese landen. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Beschikbare app/modules ToActivateModule=Om modules te activeren, ga naar Home->Instellingen->Modules. SessionTimeOut=Time-out van de sessie SessionExplanation=Dit nummer garandeert dat de sessie nooit voor deze vertraging verloopt, als de sessieopruimer wordt gedaan door interne PHP-sessieopruimer (en niets anders). Interne PHP-sessieopruimer kan niet garanderen dat de sessie na deze vertraging verloopt. Het verloopt na deze vertraging en wanneer de sessieopruimer wordt uitgevoerd, dus elke %s / %s toegang, maar alleen tijdens toegang door andere sessies (als de waarde 0 is, betekent dit dat het wissen van de sessie alleen door een extern proces wordt gedaan) .
Opmerking: op sommige servers met een extern sessie-opschoningsmechanisme (cron onder debian, ubuntu ...), kunnen de sessies worden vernietigd na een periode die is gedefinieerd door een externe setup, ongeacht wat de hier ingevoerde waarde is. +SessionsPurgedByExternalSystem=Sessies op deze server lijken te worden opgeschoond door een extern mechanisme (cron onder debian, ubuntu ...), waarschijnlijk elke %s seconden (= waarde van parameter sessie.gc_maxlb7 a0a0) no17a17a heeft geen09. U moet de serverbeheerder vragen de sessievertraging te wijzigen. TriggersAvailable=Beschikbare initiatoren (triggers) TriggersDesc=Triggers zijn bestanden die het gedrag van de Dolibarr-workflow wijzigen nadat ze zijn gekopieerd naar de directory htdocs / core / triggers . Ze realiseren nieuwe acties, geactiveerd op Dolibarr-evenementen (creatie van nieuwe bedrijven, factuurvalidatie, ...). TriggerDisabledByName=Initiatoren in dit bestand zijn uitgeschakeld door het NoRun achtervoegsel in hun naam. @@ -1262,6 +1264,7 @@ FieldEdition=Wijziging van het veld %s FillThisOnlyIfRequired=Voorbeeld: +2 (alleen invullen als tijdzone offset problemen worden ervaren) GetBarCode=Haal barcode NumberingModules=Nummeringsmodellen +DocumentModules=Documentmodellen ##### Module password generation PasswordGenerationStandard=Geeft een wachtwoord terug dat gegenereerd is volgens het interne Dolibarr algoritme: 8 karakters met gedeelde nummers en tekens in kleine letters. PasswordGenerationNone=Stel geen gegenereerd wachtwoord voor. Wachtwoord moet handmatig worden ingevoerd. @@ -1844,6 +1847,7 @@ MailToThirdparty=Klant MailToMember=Leden MailToUser=Gebruikers MailToProject=Projecten pagina +MailToTicket=Tickets ByDefaultInList=Standaard weergeven in de lijstweergave YouUseLastStableVersion=U gebruikt de nieuwste stabiele versie TitleExampleForMajorRelease=Voorbeeld van een bericht dat u kunt gebruiken om deze belangrijke release aan te kondigen (gebruik het gerust op uw websites) @@ -1996,6 +2000,7 @@ EmailTemplate=Sjabloon voor e-mail EMailsWillHaveMessageID=E-mails hebben een tag 'Verwijzingen' die overeenkomen met deze syntaxis PDF_USE_ALSO_LANGUAGE_CODE=Als u wilt dat sommige teksten in uw PDF worden gedupliceerd in 2 verschillende talen in dezelfde gegenereerde PDF, moet u hier deze tweede taal instellen, zodat de gegenereerde PDF 2 verschillende talen op dezelfde pagina bevat, degene die is gekozen bij het genereren van PDF en deze ( slechts enkele PDF-sjablonen ondersteunen dit). Voor 1 taal per pdf leeg houden. FafaIconSocialNetworksDesc=Voer hier de code van een FontAwesome-pictogram in. Als je niet weet wat FontAwesome is, kun je het generieke waarde fa-adresboek gebruiken. +FeatureNotAvailableWithReceptionModule=Functie niet beschikbaar wanneer module-ontvangst is ingeschakeld RssNote=Opmerking: elke RSS-feeddefinitie biedt een widget die u moet inschakelen om deze beschikbaar te hebben in het dashboard JumpToBoxes=Ga naar Setup -> Widgets MeasuringUnitTypeDesc=Gebruik hier een waarde als "grootte", "oppervlakte", "volume", "gewicht", "tijd" diff --git a/htdocs/langs/nl_NL/agenda.lang b/htdocs/langs/nl_NL/agenda.lang index f8fc0c61785..80703dc0c05 100644 --- a/htdocs/langs/nl_NL/agenda.lang +++ b/htdocs/langs/nl_NL/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Interventie %s verzonden per e-mail ProposalDeleted=Voorstel verwijderd OrderDeleted=Bestelling verwijderd InvoiceDeleted=Factuur verwijderd +DraftInvoiceDeleted=Conceptfactuur verwijderd PRODUCT_CREATEInDolibarr=Product %s aangemaakt PRODUCT_MODIFYInDolibarr=Product %s aangepast PRODUCT_DELETEInDolibarr=Product %s verwijderd HOLIDAY_CREATEInDolibarr=Verlofverzoek %s gemaakt HOLIDAY_MODIFYInDolibarr=Verlofverzoek %s gewijzigd HOLIDAY_APPROVEInDolibarr=Verlofverzoek %s goedgekeurd -HOLIDAY_VALIDATEDInDolibarr=Verlofverzoek %s gevalideerd +HOLIDAY_VALIDATEInDolibarr=Verlofverzoek %s gevalideerd HOLIDAY_DELETEInDolibarr=Verlofverzoek %s verwijderd EXPENSE_REPORT_CREATEInDolibarr=Overzicht van kosten %s aangemaakt EXPENSE_REPORT_VALIDATEInDolibarr=Kosten rapportage %s goedgekeurd @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM uitgeschakeld BOM_REOPENInDolibarr=BOM opnieuw openen BOM_DELETEInDolibarr=BOM verwijderd MRP_MO_VALIDATEInDolibarr=MO gevalideerd +MRP_MO_UNVALIDATEInDolibarr=MO ingesteld op conceptstatus MRP_MO_PRODUCEDInDolibarr=MO geproduceerd MRP_MO_DELETEInDolibarr=MO verwijderd +MRP_MO_CANCELInDolibarr=MO geannuleerd ##### End agenda events ##### AgendaModelModule=Document sjablonen voor evenement DateActionStart=Startdatum @@ -151,3 +154,6 @@ EveryMonth=Elke maand DayOfMonth=Dag van de maand DayOfWeek=Dag van de week DateStartPlusOne=Begindatum + 1 uur +SetAllEventsToTodo=Zet alle evenementen op te doen +SetAllEventsToInProgress=Stel alle evenementen in proces +SetAllEventsToFinished=Stel alle evenementen in op voltooid diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang index b8005554517..9261d363251 100644 --- a/htdocs/langs/nl_NL/banks.lang +++ b/htdocs/langs/nl_NL/banks.lang @@ -37,6 +37,8 @@ IbanValid=IBAN geldig IbanNotValid=IBAN is niet geldig StandingOrders=Incasso-opdrachten StandingOrder=Incasso-opdracht +PaymentByBankTransfers=Betalingen via overschrijving +PaymentByBankTransfer=Betaling via overschrijving AccountStatement=Rekeningafschrift AccountStatementShort=Afschrift AccountStatements=Rekeningafschriften @@ -108,7 +110,7 @@ BankTransfers=Bankoverboeking MenuBankInternalTransfer=Interne overboeking TransferDesc=Overdracht van de ene rekening naar de andere. Dolibarr zal twee records schrijven (een debet in de bronaccount en een tegoed in het doelaccount). Hetzelfde bedrag (behalve aanduiding), label en datum worden gebruikt voor deze transactie) TransferFrom=Van -TransferTo=Aan +TransferTo=T/m TransferFromToDone=Een overboeking van %s naar %s van %s is geregistreerd. CheckTransmitter=Overboeker ValidateCheckReceipt=Betaling met cheque goedkeuren? diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index ecbaf1f36d6..1cb1d086202 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Korting aangeboden (betaling vóór termijn) EscompteOfferedShort=Korting SendBillRef=Stuur factuur %s SendReminderBillRef=Stuur factuur %s (herinnering) -StandingOrders=Incasso-opdrachten -StandingOrder=Incasso-opdracht NoDraftBills=Geen conceptfacturen NoOtherDraftBills=Geen andere conceptfacturen NoDraftInvoices=Geen facturen in aanmaak @@ -572,3 +570,6 @@ AutoFillDateToShort=Tot datum MaxNumberOfGenerationReached=Max aantal gegenereerd bereikt BILL_DELETEInDolibarr=Factuur verwijderd BILL_SUPPLIER_DELETEInDolibarr=Leverancierfactuur verwijderd +UnitPriceXQtyLessDiscount=Eenheidsprijs x Aantal - Korting +CustomersInvoicesArea=Factureringsgebied voor klanten +SupplierInvoicesArea=Factureringsgebied leverancier diff --git a/htdocs/langs/nl_NL/cashdesk.lang b/htdocs/langs/nl_NL/cashdesk.lang index cbb692314ea..e5e25e99a08 100644 --- a/htdocs/langs/nl_NL/cashdesk.lang +++ b/htdocs/langs/nl_NL/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Hoofdsjabloon om te gebruiken OrderTemplateToUse=Bestelsjabloon te gebruiken BarRestaurant=Bar Restaurant AutoOrder=Automatische bestelling van klant +RestaurantMenu=Menu +CustomerMenu=Klantmenu diff --git a/htdocs/langs/nl_NL/categories.lang b/htdocs/langs/nl_NL/categories.lang index c7f89fd4180..e207eea9d84 100644 --- a/htdocs/langs/nl_NL/categories.lang +++ b/htdocs/langs/nl_NL/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=Standaard in de lijst ChooseCategory=Kies categorie StocksCategoriesArea=Magazijnen Categorieën ActionCommCategoriesArea=Gebeurtenissen categorieën omgeving +WebsitePagesCategoriesArea=Pagina-container categorieën UseOrOperatorForCategories=Gebruik of operator voor categorieën diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang index 77adb7a1898..d831e6ce497 100644 --- a/htdocs/langs/nl_NL/companies.lang +++ b/htdocs/langs/nl_NL/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospectenoverzicht IdThirdParty=ID Klant IdCompany=ID bedrijf IdContact=ID contactpersoon -Contacts=Contactpersonen ThirdPartyContacts=Contacten van derden ThirdPartyContact=Contact / adres van derden Company=Bedrijf @@ -298,7 +297,8 @@ AddContact=Nieuwe contactpersoon AddContactAddress=Nieuw contact/adres EditContact=Bewerk contact / adres EditContactAddress=Wijzig contact/adres -Contact=Contactpersoon +Contact=Contact adres +Contacts=Contactpersonen ContactId=ID contactpersoon ContactsAddresses=Contacpersonen / adressen FromContactName=Naam: diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang index e1bc8bc0087..549f9fa3400 100644 --- a/htdocs/langs/nl_NL/compta.lang +++ b/htdocs/langs/nl_NL/compta.lang @@ -157,9 +157,9 @@ SeeReportInInputOutputMode=Zie %sanalyse van betalingen%s voor een berekening va SeeReportInDueDebtMode=Zie %sanalyse van facturen%s voor een berekening op basis van bekende geregistreerde facturen, zelfs als deze nog niet in Ledger zijn geregistreerd. SeeReportInBookkeepingMode=Zie %s Boekhoudverslag%s voor een berekening op de boekhoudboekentabel RulesAmountWithTaxIncluded=- Bedragen zijn inclusief alle belastingen -RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used. +RulesResultDue=- Het omvat openstaande facturen, uitgaven, BTW, donaties, of ze nu betaald zijn of niet. Bevat ook betaalde salarissen.
- Het is gebaseerd op de factuurdatum van facturen en op de vervaldatum voor uitgaven of belastingbetalingen. Voor salarissen gedefinieerd met Salaris module, wordt de valutadatum van betaling gebruikt. RulesResultInOut=- Het omvat de echte betalingen op facturen, uitgaven, btw en salarissen.
- Het is gebaseerd op de betalingsdatums van de facturen, uitgaven, btw en salarissen. De donatiedatum voor donatie. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the billing date of these invoices.
+RulesCADue=- Het omvat de verschuldigde facturen van de klant, of ze nu zijn betaald of niet.
- Het is gebaseerd op de factureringsdatum van deze facturen.
RulesCAIn=- Het omvat alle effectieve betalingen van facturen ontvangen van klanten.
- Het is gebaseerd op de betaaldatum van deze facturen
RulesCATotalSaleJournal=Het omvat alle kredietlijnen uit het verkoopdagboek. RulesAmountOnInOutBookkeepingRecord=Het bevat een record in uw grootboek met boekhoudrekeningen met de groep "KOSTEN" of "INKOMSTEN" @@ -255,10 +255,12 @@ TurnoverbyVatrate=Omzet gefactureerd per omzetbelasting-tarief TurnoverCollectedbyVatrate=Omzet per BTW tarief PurchasebyVatrate=Aankoop bij verkoop belastingtarief LabelToShow=Kort label -PurchaseTurnover=Purchase turnover -PurchaseTurnoverCollected=Purchase turnover collected -RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not.
- It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers.
- It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal. -ReportPurchaseTurnover=Purchase turnover invoiced -ReportPurchaseTurnoverCollected=Purchase turnover collected +PurchaseTurnover=Omzet inkopen +PurchaseTurnoverCollected=Verzamelde inkoop-omzet +RulesPurchaseTurnoverDue=- Het bevat de verschuldigde facturen van de leverancier, of ze nu zijn betaald of niet.
- Het is gebaseerd op de factuurdatum van deze facturen.
+RulesPurchaseTurnoverIn=- Het omvat alle effectieve betalingen van facturen aan leveranciers.
- Het is gebaseerd op de betalingsdatum van deze facturen
+RulesPurchaseTurnoverTotalPurchaseJournal=Het bevat alle debetregels uit het inkoopdagboek. +ReportPurchaseTurnover=Inkoopbedrag gefactureerd +ReportPurchaseTurnoverCollected=Verzamelde inkoop-omzet +IncludeVarpaysInResults = Neem verschillende betalingen op in rapporten +IncludeLoansInResults = Leningen opnemen in rapporten diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang index 87185fbba02..0a864f2d722 100644 --- a/htdocs/langs/nl_NL/errors.lang +++ b/htdocs/langs/nl_NL/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=Het bestand is niet volledig ontvangen door de server. ErrorNoTmpDir=Tijdelijke map %s bestaat niet. ErrorUploadBlockedByAddon=Upload geblokkeerd door een PHP- en / of Apache-plugin. ErrorFileSizeTooLarge=Bestand is te groot. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Veld %s is te lang. ErrorSizeTooLongForIntType=Grootte te lang voor int type (%s cijfers maximum) ErrorSizeTooLongForVarcharType=Grootte te lang voor string type (%s tekens maximum) ErrorNoValueForSelectType=Vul waarde in voor selectielijst @@ -97,7 +97,7 @@ ErrorBadMaskFailedToLocatePosOfSequence=Fout, masker zonder het volgnummer ErrorBadMaskBadRazMonth=Fout, slechte resetwaarde ErrorMaxNumberReachForThisMask=Maximaal aantal bereikt voor dit masker ErrorCounterMustHaveMoreThan3Digits=Teller moet uit meer dan 3 cijfers bestaan -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Fout, kies tenminste één mutatie ErrorDeleteNotPossibleLineIsConsolidated=Verwijderen niet mogelijk omdat record is gekoppeld aan een banktransactie die is bemiddeld ErrorProdIdAlreadyExist=%s is toegewezen aan een derde ErrorFailedToSendPassword=Mislukt om het wachtwoord te sturen @@ -118,9 +118,9 @@ ErrorLoginDoesNotExists=Gebruiker met gebruikersnaam %s kon niet worden g ErrorLoginHasNoEmail=Deze gebruiker heeft geen e-mail adres. Proces afgebroken. ErrorBadValueForCode=Onjuist waardetypen voor code. Probeer het opnieuw met een nieuwe waarde ErrorBothFieldCantBeNegative=Velden %s %s en kan niet beide negatief -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=Veld %s mag niet negatief zijn voor dit type factuur. Als u een kortingsregel moet toevoegen, maakt u eerst de korting (uit veld '%s' op de kaart van een derde partij) en past u deze toe op de factuur. +ErrorLinesCantBeNegativeForOneVATRate=Het totaal aantal regels kan niet negatief zijn voor een bepaald btw-tarief. +ErrorLinesCantBeNegativeOnDeposits=Lijnen kunnen niet negatief zijn in een storting. U zult problemen ondervinden wanneer u de aanbetaling in de eindfactuur moet verbruiken als u dit doet. ErrorQtyForCustomerInvoiceCantBeNegative=Aantal voor regel in klantfacturen kan niet negatief zijn ErrorWebServerUserHasNotPermission=User account %s gebruikt om web-server uit te voeren heeft geen toestemming voor die ErrorNoActivatedBarcode=Geen geactiveerde barcode soort @@ -229,14 +229,14 @@ ErrorNoFieldWithAttributeShowoncombobox=Geen velden hebben eigenschap 'showoncom ErrorFieldRequiredForProduct=Veld '1%s' is vereist voor product 1%s ProblemIsInSetupOfTerminal=Probleem is bij het instellen van terminal %s. ErrorAddAtLeastOneLineFirst=Voeg eerst minimaal één regel toe -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorRecordAlreadyInAccountingDeletionNotPossible=Fout, record is al overgedragen in de boekhouding, verwijderen is niet mogelijk. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Fout, taal is verplicht als u de pagina instelt als vertaling van een andere. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Fout, taal van vertaalde pagina is hetzelfde als deze. +ErrorBatchNoFoundForProductInWarehouse=Geen lot / serie gevonden voor product "%s" in magazijn "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Geen voorraad voor dit lot / serie voor product "%s" in magazijn "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Slechts 1 veld voor de 'Groepeer op' is mogelijk (andere worden weggegooid) +ErrorTooManyDifferentValueForSelectedGroupBy=Te veel verschillende waarden gevonden (meer dan %s ) voor het veld ' %s ', dus we kunnen het niet gebruiken voor afbeeldingen als '. Het veld 'Goepeer op' is verwijderd. Misschien wil je het gebruiken als een X-as? +ErrorReplaceStringEmpty=Fout, de tekenreeks waarin moet worden vervangen, is leeg # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Uw PHP-parameter upload_max_filesize (%s) is hoger dan PHP-parameter post_max_size (%s). Dit is geen consistente opstelling. WarningPasswordSetWithNoAccount=Er is een wachtwoord ingesteld voor dit lid. Er is echter geen gebruikersaccount gemaakt. Dus dit wachtwoord is opgeslagen maar kan niet worden gebruikt om in te loggen bij Dolibarr. Het kan worden gebruikt door een externe module / interface, maar als u geen gebruikersnaam of wachtwoord voor een lid hoeft aan te maken, kunt u de optie "Beheer een login voor elk lid" in de module-setup van Member uitschakelen. Als u een login moet beheren maar geen wachtwoord nodig heeft, kunt u dit veld leeg houden om deze waarschuwing te voorkomen. Opmerking: e-mail kan ook worden gebruikt als login als het lid aan een gebruiker is gekoppeld. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Waarschuwing, het aantal versch WarningDateOfLineMustBeInExpenseReportRange=Waarschuwing, de datum van de regel valt niet binnen het bereik van het onkostenoverzicht WarningProjectClosed=Project is afgesloten. U moet het eerst opnieuw openen. WarningSomeBankTransactionByChequeWereRemovedAfter=Sommige banktransacties werden verwijderd nadat het ontvangstbewijs inclusief deze was gegenereerd. Het aantal cheques en het totaal van de ontvangst kan dus verschillen van het aantal en het totaal in de lijst. +WarningFailedToAddFileIntoDatabaseIndex=Pasop., Kan geen bestandsinvoer toevoegen aan de ECM-database-indextabel diff --git a/htdocs/langs/nl_NL/exports.lang b/htdocs/langs/nl_NL/exports.lang index db6208fa53e..af7fa1643d8 100644 --- a/htdocs/langs/nl_NL/exports.lang +++ b/htdocs/langs/nl_NL/exports.lang @@ -26,6 +26,8 @@ FieldTitle=Veldtitel NowClickToGenerateToBuildExportFile=Selecteer nu het bestandsformaat in de keuzelijst en klik op "Genereren" om het exportbestand te maken ... AvailableFormats=Beschikbare formaten LibraryShort=Bibliotheek +ExportCsvSeparator=CSV scheidingsteken +ImportCsvSeparator=CSV scheidingsteken Step=Stap FormatedImport=Importassistent FormatedImportDesc1=Met deze module kunt u bestaande gegevens bijwerken of nieuwe objecten vanuit een bestand toevoegen aan de database zonder technische kennis, met behulp van een assistent. @@ -37,7 +39,7 @@ FormatedExportDesc3=Wanneer te exporteren gegevens zijn geselecteerd, kunt u de Sheet=Werkblad NoImportableData=Geen importeerbare gegevens (geen module met definities om gegevensimport toe te staan) FileSuccessfullyBuilt=Bestand aangemaakt -SQLUsedForExport=SQL Request used to extract data +SQLUsedForExport=SQL Request gebruikt om gegevens te extraheren LineId=regel ID LineLabel=Label van regel LineDescription=Regelomschrijving diff --git a/htdocs/langs/nl_NL/hrm.lang b/htdocs/langs/nl_NL/hrm.lang index ee82d716ca6..dc2d68d3a9e 100644 --- a/htdocs/langs/nl_NL/hrm.lang +++ b/htdocs/langs/nl_NL/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Sluit bedrijf # Dictionary DictionaryPublicHolidays=HRM - Feestdagen DictionaryDepartment=HRM - Afdelingslijst -DictionaryFunction=HRM - Functielijst +DictionaryFunction=HRM - Functies # Module Employees=Werknemers Employee=Werknemer diff --git a/htdocs/langs/nl_NL/install.lang b/htdocs/langs/nl_NL/install.lang index 2bd6574b9fd..dcd16e523da 100644 --- a/htdocs/langs/nl_NL/install.lang +++ b/htdocs/langs/nl_NL/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=Deze PHP ondersteunt Curl. PHPSupportCalendar=Deze PHP ondersteunt kalendersextensies. PHPSupportUTF8=Deze PHP ondersteunt UTF8-functies. PHPSupportIntl=Deze PHP ondersteunt Intl-functies. -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=Deze PHP ondersteunt uitgebreide debug-functies. PHPSupport=Deze PHP ondersteunt %s-functies. PHPMemoryOK=Het maximale sessiegeheugen van deze PHP installatie is ingesteld op %s. Dit zou genoeg moeten zijn. PHPMemoryTooLow=Uw PHP max sessie-geheugen is ingesteld op %s bytes. Dit is te laag. Wijzig uw php.ini om de parameter memory_limit in te stellen op ten minste %s bytes. @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=Uw PHP versie ondersteunt geen Curl. ErrorPHPDoesNotSupportCalendar=Uw PHP-installatie ondersteunt geen php-agenda-extensies. ErrorPHPDoesNotSupportUTF8=Uw PHP-installatie ondersteunt geen UTF8-functies. Dolibarr kan niet correct werken. Los dit op voordat u Dolibarr installeert. ErrorPHPDoesNotSupportIntl=Uw PHP-installatie ondersteunt geen Intl-functies. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=Uw PHP-installatie ondersteunt geen uitgebreide debug-functies. ErrorPHPDoesNotSupport=Uw PHP-installatie ondersteunt geen %s-functies. ErrorDirDoesNotExists=De map %s bestaat niet. ErrorGoBackAndCorrectParameters=Ga terug en controleer / corrigeer de parameters. @@ -93,7 +93,7 @@ GoToSetupArea=Ga naar Dolibarr (instellingsomgeving). MigrationNotFinished=De databaseversie is niet helemaal up-to-date: voer het upgradeproces opnieuw uit. GoToUpgradePage=Ga opnieuw naar de upgrade pagina. WithNoSlashAtTheEnd=Zonder toevoeging van de slash "/" aan het eind -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation=  BELANGRIJK : u moet een directory gebruiken die zich buiten de webpagina's bevindt (gebruik dus geen submap met de vorige parameter). LoginAlreadyExists=Bestaat al DolibarrAdminLogin=Login van de Dolibarr beheerder AdminLoginAlreadyExists=Dolibarr-beheerdersaccount ' %s ' bestaat al. Ga terug als je nog een wilt maken. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Er zijn fouten gemeld tijdens het migratieproces, dus YouTryInstallDisabledByDirLock=De toepassing probeerde zelf te upgraden, maar de installatie- / upgradepagina's zijn om veiligheidsredenen uitgeschakeld (map hernoemd met .lock-achtervoegsel).
YouTryInstallDisabledByFileLock=De applicatie probeerde zelf te upgraden, maar de installatie / upgrade-pagina's zijn om veiligheidsredenen uitgeschakeld (door het bestaan van een slotbestand install.lock in de dolibarr-documentenmap).
ClickHereToGoToApp=Klik hier om naar uw toepassing te gaan -ClickOnLinkOrRemoveManualy=Klik op de volgende link. Als u altijd dezelfde pagina ziet, moet u het bestand install.lock verwijderen / hernoemen in de documentenmap. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=Even geduld als er een upgrade wordt uitgevoerd. Is dit klaar, klik dan op de volgende link. Als u altijd dezelfde pagina ziet, moet u het bestand install.lock in de documentenmap verwijderen / hernoemen. +Loaded=Geladen +FunctionTest=Functietest diff --git a/htdocs/langs/nl_NL/interventions.lang b/htdocs/langs/nl_NL/interventions.lang index 4884f1e857d..ca03ab08ba8 100644 --- a/htdocs/langs/nl_NL/interventions.lang +++ b/htdocs/langs/nl_NL/interventions.lang @@ -41,9 +41,7 @@ InterventionsArea=Interventies onderdeel DraftFichinter=Concept-interventies LastModifiedInterventions=Laatste %s aangepaste interventies FichinterToProcess=Interventies om te verwerken -##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Nabehandeling afnemerscontact -# Modele numérotation PrintProductsOnFichinter=Print ook regels van het type "product" (niet alleen diensten) op de interventiekaart PrintProductsOnFichinterDetails=Interventies gegenereerd op basis van bestellingen UseServicesDurationOnFichinter=Gebruik de duur van de services voor interventies die zijn gegenereerd op basis van bestellingen @@ -53,7 +51,6 @@ InterventionStatistics=Interventie statistieken NbOfinterventions=Aantal interventiekaarten NumberOfInterventionsByMonth=Aantal interventiekaarten per maand (datum van validatie) AmountOfInteventionNotIncludedByDefault=Het bedrag voor interventie is niet standaard opgenomen in de winst (in de meeste gevallen worden de urenstaten gebruikt om de bestede tijd te tellen). Voeg optie PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT toe aan 1 in home-setup-diversen om ze op te nemen. -##### Exports ##### InterId=Interventie-ID InterRef=Interventie ref. InterDateCreation=Aanmaakdatum interventie @@ -65,3 +62,5 @@ InterLineId=Regel ID-interventie InterLineDate=Datum regel interventie InterLineDuration=Duur regel interventie InterLineDesc=Opmerking regel interventie +RepeatableIntervention=Sjabloon voor interventie +ToCreateAPredefinedIntervention=Als u een vooraf gedefinieerde of terugkerende interventie wilt maken, maakt u een gemeenschappelijke interventie en converteert u deze naar een interventiesjabloon diff --git a/htdocs/langs/nl_NL/languages.lang b/htdocs/langs/nl_NL/languages.lang index 6b0beba5769..ba209897d36 100644 --- a/htdocs/langs/nl_NL/languages.lang +++ b/htdocs/langs/nl_NL/languages.lang @@ -65,7 +65,7 @@ Language_mk_MK=Macedonisch Language_mn_MN=Mongools Language_nb_NO=Noors (Bokmål) Language_nl_BE=Nederlands (België) -Language_nl_NL=Dutch +Language_nl_NL=Nederlands Language_pl_PL=Pools Language_pt_BR=Portugees (Brazilië) Language_pt_PT=Portugees diff --git a/htdocs/langs/nl_NL/link.lang b/htdocs/langs/nl_NL/link.lang index b7a45ea8938..3b82167aab4 100644 --- a/htdocs/langs/nl_NL/link.lang +++ b/htdocs/langs/nl_NL/link.lang @@ -8,4 +8,4 @@ LinkRemoved=De koppeling %s is verwijderd ErrorFailedToDeleteLink= Kon de verbinding '%s' niet verwijderen ErrorFailedToUpdateLink= Kon verbinding '%s' niet bijwerken URLToLink=URL naar link -OverwriteIfExists=Overwrite file if exists +OverwriteIfExists=Overschrijf bestand indien aanwezig diff --git a/htdocs/langs/nl_NL/mails.lang b/htdocs/langs/nl_NL/mails.lang index 2897086d4bb..78ae4fd91dc 100644 --- a/htdocs/langs/nl_NL/mails.lang +++ b/htdocs/langs/nl_NL/mails.lang @@ -164,7 +164,7 @@ NoContactWithCategoryFound=Geen contact / adres met een categorie gevonden NoContactLinkedToThirdpartieWithCategoryFound=Geen contact / adres met een categorie gevonden OutGoingEmailSetup=Instellingen uitgaande e-mail InGoingEmailSetup=Instellingen inkomende e-mail -OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s) +OutGoingEmailSetupForEmailing=Uitgaande e-mailinstellingen (voor module %s) DefaultOutgoingEmailSetup=Standaard uitgaande e-mail instellen Information=Informatie ContactsWithThirdpartyFilter=Contacten met filter van derden diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index eec6c8d732b..1390f6bf0ab 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Geen sjabloon beschikbaar voor dit e-mailtype AvailableVariables=Beschikbare substitutievariabelen NoTranslation=Geen vertaling Translation=Vertaling -EmptySearchString=Voer een niet-lege zoekreeks in +EmptySearchString=Voer geen lege zoekcriteria in NoRecordFound=Geen item gevonden NoRecordDeleted=Geen record verwijderd NotEnoughDataYet=Niet genoeg data @@ -174,7 +174,7 @@ SaveAndStay=Opslaan en blijven SaveAndNew=Opslaan en nieuw TestConnection=Test verbinding ToClone=Klonen -ConfirmCloneAsk=Are you sure you want to clone the object %s? +ConfirmCloneAsk=Weet u zeker dat u het object %s wilt klonen? ConfirmClone=Kies gegevens die u wilt klonen: NoCloneOptionsSpecified=Geen gegevens om te klonen gedefinieerd. Of=van @@ -187,6 +187,8 @@ ShowCardHere=Kaart tonen Search=Zoeken SearchOf=Zoeken SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Snel toevoegen +QuickAddMenuShortCut=Ctrl + shift + l Valid=Geldig Approve=Goedkeuren Disapprove=Afkeuren @@ -426,6 +428,7 @@ Modules=Modules / Applicaties Option=Optie List=Lijstoverzicht FullList=Volledig overzicht +FullConversation=Volledig gesprek Statistics=Statistieken OtherStatistics=Andere statistieken Status=Status @@ -483,8 +486,8 @@ Category=Label/categorie By=Door From=Van FromLocation=Van -to=aan -To=aan +to=t/m +To=t/m and=en or=of Other=Overig @@ -663,6 +666,7 @@ Owner=Eigenaar FollowingConstantsWillBeSubstituted=De volgende constanten worden vervangen met de overeenkomstige waarde. Refresh=Vernieuwen BackToList=Terug naar het overzicht +BackToTree=Terug GoBack=Ga terug CanBeModifiedIfOk=Kan worden gewijzigd indien geldig CanBeModifiedIfKo=Kan worden gewijzigd indien ongeldig @@ -830,8 +834,8 @@ Gender=Geslacht Genderman=Man Genderwoman=Vrouw ViewList=Bekijk lijst -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Gantt-weergave +ViewKanban=Kanban-weergave Mandatory=Verplicht Hello=Hallo GoodBye=Tot ziens @@ -839,6 +843,7 @@ Sincerely=Met vriendelijke groet ConfirmDeleteObject=Weet u zeker dat u dit object wilt verwijderen? DeleteLine=Verwijderen regel ConfirmDeleteLine=Weet u zeker dat u deze regel wilt verwijderen? +ErrorPDFTkOutputFileNotFound=Fout: het bestand is niet gegenereerd. Controleer of de opdracht 'pdftk' is geïnstalleerd in een directory die is opgenomen in de omgevingsvariabele $ PATH (alleen linux / unix) of neem contact op met uw systeembeheerder. NoPDFAvailableForDocGenAmongChecked=Er was geen PDF beschikbaar voor het genereren van documenten bij gecontroleerde records TooManyRecordForMassAction=Te veel records geselecteerd voor massa-actie. De actie is beperkt tot een lijst met %s-records. NoRecordSelected=Geen record geselecteerd @@ -953,12 +958,13 @@ SearchIntoMembers=Leden SearchIntoUsers=Gebruikers SearchIntoProductsOrServices=Diensten of Producten SearchIntoProjects=Projecten +SearchIntoMO=Productieorders SearchIntoTasks=Taken SearchIntoCustomerInvoices=Klantenfactuur SearchIntoSupplierInvoices=Facturen van leveranciers SearchIntoCustomerOrders=Verkooporders SearchIntoSupplierOrders=Inkooporders -SearchIntoCustomerProposals=Klantenoffertes +SearchIntoCustomerProposals=Offertes SearchIntoSupplierProposals=Leveranciersvoorstellen SearchIntoInterventions=Interventies SearchIntoContracts=Contracten @@ -1025,6 +1031,11 @@ SelectYourGraphOptionsFirst=Selecteer opties voor deze grafiek Measures=Maten XAxis=X-as YAxis=Y-as -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +StatusOfRefMustBe=De status van %s moet %s zijn +DeleteFileHeader=Verwijdering bevestigen +DeleteFileText=Weet u zeker dat u dit bestand wilt verwijderen? +ShowOtherLanguages=Toon andere talen +SwitchInEditModeToAddTranslation=Schakel in de bewerkingsmodus om vertalingen voor deze taal toe te voegen +NotUsedForThisCustomer=Niet gebruikt voor deze klant +AmountMustBePositive=Bedrag moet positief zijn +ByStatus=Op status diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang index 4ad2497172a..1b4a871f69f 100644 --- a/htdocs/langs/nl_NL/modulebuilder.lang +++ b/htdocs/langs/nl_NL/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Gevarenzone BuildPackage=Bouw pakket BuildPackageDesc=U kunt een zip-pakket van uw applicatie genereren, zodat u klaar bent om het op elke Dolibarr te distribueren. U kunt het ook distribueren of verkopen op een marktplaats zoals DoliStore.com . BuildDocumentation=Opmaken documentatie -ModuleIsNotActive=Deze module is nog niet geactiveerd. Ga naar %s om het live te maken of klik hier: +ModuleIsNotActive=Deze module is nog niet geactiveerd. Ga naar %s om het te activeren of klik hier ModuleIsLive=Deze module is geactiveerd. Elke wijziging kan een huidige live-functie onderbreken. DescriptionLong=Lange omschrijving EditorName=Naam van de redacteur @@ -83,9 +83,9 @@ ListOfDictionariesEntries=Lijst met woordenboekingangen ListOfPermissionsDefined=Lijst met gedefinieerde machtigingen SeeExamples=Zie hier voorbeelden EnabledDesc=Voorwaarde om dit veld actief te hebben (voorbeelden: 1 of $ conf-> global-> MYMODULE_MYOPTION) -VisibleDesc=Is 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 -DisplayOnPdf=Display on PDF +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 +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) SpecDefDesc=Voer hier alle documentatie in die u met uw module wilt verstrekken die nog niet door andere tabbladen is gedefinieerd. U kunt .md of beter gebruiken, de rijke .asciidoc-syntaxis. @@ -139,3 +139,4 @@ ForeignKey=Vreemde sleutel TypeOfFieldsHelp=Type velden:
varchar (99), dubbel (24,8), real, tekst, html, datetime, timestamp, integer, integer: ClassName: relativepath / to / classfile.class.php [: 1 [: filter]] ('1' betekent we voegen een + -knop toe na de combo om het record te maken, 'filter' kan 'status = 1 EN fk_user = __USER_ID EN entiteit IN (bijvoorbeeld __SHARED_ENTITIES__)' zijn) AsciiToHtmlConverter=Ascii naar HTML converter AsciiToPdfConverter=Ascii naar PDF converter +TableNotEmptyDropCanceled=Tabel is niet leeg. Drop is geannuleerd. diff --git a/htdocs/langs/nl_NL/mrp.lang b/htdocs/langs/nl_NL/mrp.lang index 6b695b5edd0..e8efd2673df 100644 --- a/htdocs/langs/nl_NL/mrp.lang +++ b/htdocs/langs/nl_NL/mrp.lang @@ -1,6 +1,6 @@ Mrp=Productieorders MO=Productieorder -MRPDescription=Module to manage production and Manufacturing Orders (MO). +MRPDescription=Module om productie- en productieorders (PO) te beheren. MRPArea=MRP-gebied MrpSetupPage=Installatie van module MRP MenuBOM=Stuklijsten @@ -24,9 +24,9 @@ WatermarkOnDraftMOs=Watermerk op ontwerp-MO ConfirmCloneBillOfMaterials=Weet u zeker dat u de stuklijst %s wilt klonen? ConfirmCloneMo=Weet u zeker dat u de productieorder %s wilt klonen? ManufacturingEfficiency=Productie-efficiëntie -ConsumptionEfficiency=Consumption efficiency +ConsumptionEfficiency=Verbruiksefficiëntie ValueOfMeansLoss=Waarde van 0,95 betekent een gemiddelde van 5%% verlies tijdens de productie -ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product +ValueOfMeansLossForProductProduced=Waarde van 0,95 betekent een gemiddelde van 5%% verlies van geproduceerd product DeleteBillOfMaterials=Stuklijst verwijderen DeleteMo=Productieorder verwijderen ConfirmDeleteBillOfMaterials=Weet je zeker dat je deze stuklijst wilt verwijderen? @@ -51,23 +51,27 @@ DisableStockChangeHelp=Als deze flag is ingesteld vindt er geen voorraad aanpass BomAndBomLines=Rekeningen van materiaal en lijnen BOMLine=Lijn van stuklijst WarehouseForProduction=Magazijn voor productie -CreateMO=Maak MO +CreateMO=Maak productieorder ToConsume=Consumeren ToProduce=Produceren QtyAlreadyConsumed=Aantal al verbruikt QtyAlreadyProduced=Aantal al geproduceerd +QtyRequiredIfNoLoss=Aantal vereist als er geen verlies is (productie-efficiëntie is 100%%) ConsumeOrProduce=Consumeren of produceren ConsumeAndProduceAll=Alles consumeren en produceren Manufactured=geproduceerd TheProductXIsAlreadyTheProductToProduce=Het toe te voegen product is al het te produceren product. -ForAQuantityOf1=Voor een te produceren hoeveelheid van 1 +ForAQuantityOf=Voor een te produceren hoeveelheid van %s ConfirmValidateMo=Weet u zeker dat u deze productieorder wilt valideren? ConfirmProductionDesc=Door op '1%s' te klikken, valideert u het verbruik en / of de productie voor de ingestelde hoeveelheden. Hiermee worden ook de voorraad- en recordbewegingen bijgewerkt. ProductionForRef=Productie van %s AutoCloseMO=Sluit de productie order automatisch als hoeveelheid en hoeveelheid te produceren is bereikt NoStockChangeOnServices=Geen voorraad aanpassing op deze service -ProductQtyToConsumeByMO=Product quantity still to consume by open MO -ProductQtyToProduceByMO=Product quentity still to produce by open MO -AddNewConsumeLines=Add new line to consume -ProductsToConsume=Products to consume -ProductsToProduce=Products to produce +ProductQtyToConsumeByMO=Producthoeveelheid nog te consumeren door open MO +ProductQtyToProduceByMO=Producthoeveelheid nog te produceren door open MO +AddNewConsumeLines=Voeg een nieuwe regel toe om te consumeren +ProductsToConsume=Te consumeren producten +ProductsToProduce=Te produceren producten +UnitCost=De kosten per eenheid +TotalCost=Totale prijs +BOMTotalCost=De kosten voor het produceren van deze stuklijst op basis van de kosten van elke hoeveelheid en elk te consumeren product (gebruik kostprijs indien gedefinieerd, anders gemiddelde gewogen prijs indien gedefinieerd, anders de beste aankoopprijs) diff --git a/htdocs/langs/nl_NL/multicurrency.lang b/htdocs/langs/nl_NL/multicurrency.lang index 1d9c124018f..342ced55f1b 100644 --- a/htdocs/langs/nl_NL/multicurrency.lang +++ b/htdocs/langs/nl_NL/multicurrency.lang @@ -18,5 +18,5 @@ MulticurrencyReceived=Ontvangen, originele valuta MulticurrencyRemainderToTake=Resterend bedrag, oorspronkelijke valuta MulticurrencyPaymentAmount=Betalingsbedrag, originele valuta AmountToOthercurrency=Bedrag in (in valuta van ontvangende account) -CurrencyRateSyncSucceed=Currency rate synchronization done successfuly -MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use the currency of the document for online payments +CurrencyRateSyncSucceed=Synchronisatie van valutakoersen is geslaagd +MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Gebruik de valuta van het document voor online betalingen diff --git a/htdocs/langs/nl_NL/orders.lang b/htdocs/langs/nl_NL/orders.lang index 5ea64e26c9c..63befed613c 100644 --- a/htdocs/langs/nl_NL/orders.lang +++ b/htdocs/langs/nl_NL/orders.lang @@ -141,11 +141,12 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telefoon # Documents models -PDFEinsteinDescription=A complete order model -PDFEratostheneDescription=A complete order model +PDFEinsteinDescription=Een compleet ordermodel (oude implementatie van Eratosthene-sjabloon) +PDFEratostheneDescription=Een compleet ordermodel PDFEdisonDescription=Een eenvoudig opdrachtenmodel -PDFProformaDescription=A complete Proforma invoice template +PDFProformaDescription=Een complete Proforma factuursjabloon CreateInvoiceForThisCustomer=Factureer orders +CreateInvoiceForThisSupplier=Factureer orders NoOrdersToInvoice=Geen te factureren orders CloseProcessedOrdersAutomatically=Alle geselecteerde orders zijn afgehandeld OrderCreation=Order aanmaak diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index 8ef2166b14e..6f6ff18ad10 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -24,17 +24,17 @@ MessageOK=Bericht op de retourpagina voor een gevalideerde betaling MessageKO=Bericht op de retourpagina voor een geannuleerde betaling ContentOfDirectoryIsNotEmpty=De inhoud van deze map is niet leeg. DeleteAlsoContentRecursively=Vink aan om alle inhoud recursief te verwijderen -PoweredBy=Powered by +PoweredBy=Powered door YearOfInvoice=Jaar van factuurdatum PreviousYearOfInvoice=Voorgaand jaar van factuurdatum NextYearOfInvoice=Volgend jaar van factuurdatum DateNextInvoiceBeforeGen=Datum volgende factuur (vóór productie) DateNextInvoiceAfterGen=Datum van de volgende factuur (na genereren) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts +GraphInBarsAreLimitedToNMeasures=Grafieken zijn beperkt tot %s-maten in 'Bars'-modus. In plaats daarvan werd automatisch de modus 'Lijnen' geselecteerd. +OnlyOneFieldForXAxisIsPossible=Momenteel is slechts 1 veld mogelijk als X-as. Alleen het eerste geselecteerde veld is geselecteerd. +AtLeastOneMeasureIsRequired=Er is minimaal 1 veld voor meting vereist +AtLeastOneXAxisIsRequired=Er is minimaal 1 veld voor X-as vereist +LatestBlogPosts=Laatste blogberichten Notify_ORDER_VALIDATE=Klantorder gevalideerd Notify_ORDER_SENTBYMAIL=Klantorder verzonden per post Notify_ORDER_SUPPLIER_SENTBYMAIL=Aankooporder verzonden per e-mail @@ -85,8 +85,8 @@ MaxSize=Maximale grootte AttachANewFile=Voeg een nieuw bestand / document bij LinkedObject=Gekoppeld object NbOfActiveNotifications=Aantal meldingen (aantal e-mails ontvanger) -PredefinedMailTest=__ (Hallo) __ Dit is een testmail die is verzonden naar __EMAIL__. De twee lijnen worden gescheiden door een regeleinde. __USER_SIGNATURE__ -PredefinedMailTestHtml=__ (Hallo) __ Dit is een testmail (de woordtest moet vetgedrukt zijn).
De twee lijnen worden gescheiden door een regeleinde.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hallo)__\nDit is een testmail die is verzonden naar __EMAIL__.\nDe lijnen zijn gescheiden door een nieuwe regel.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__ (Hallo) __
Dit is een -test-mail verzonden naar __EMAIL__ (de woordtest moet vetgedrukt zijn).
De regels worden gescheiden door een enter.

__USER_SIGNATURE__ PredefinedMailContentContract=__ (Hallo) __ __ (Met vriendelijke groet) __ __USER_SIGNATURE__ PredefinedMailContentSendInvoice=__ (Hallo) __ Vind factuur __REF__ bijgevoegd __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Met vriendelijke groet) __ __USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__ (Hallo) __ We willen u eraan herinneren dat de factuur __REF__ niet lijkt te zijn betaald. Een kopie van de factuur is als herinnering bijgevoegd. __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Met vriendelijke groet) __ __USER_SIGNATURE__ @@ -108,8 +108,8 @@ DemoFundation=Ledenbeheer van een stichting DemoFundation2=Beheer van de leden en de bankrekening van een stichting DemoCompanyServiceOnly=Bedrijf of freelance verkoopservice alleen DemoCompanyShopWithCashDesk=Beheren van een winkel met een kassa -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products +DemoCompanyProductAndStocks=Producten verkocht in winkel met POS +DemoCompanyManufacturing=Bedrijf dat producten vervaardigt DemoCompanyAll=Bedrijf met meerdere activiteiten (alle hoofdmodules) CreatedBy=Gecreëerd door %s ModifiedBy=Gewijzigd door %s @@ -190,7 +190,7 @@ NumberOfSupplierProposals=Aantal leveranciersvoorstellen NumberOfSupplierOrders=Aantal inkooporders NumberOfSupplierInvoices=Aantal leveranciersfacturen NumberOfContracts=Aantal contracten -NumberOfMos=Number of manufacturing orders +NumberOfMos=Aantal productieorders NumberOfUnitsProposals=Aantal eenheden in voorstel NumberOfUnitsCustomerOrders=Aantal eenheden op verkooporders NumberOfUnitsCustomerInvoices=Aantal eenheden op klant facturen @@ -198,7 +198,7 @@ NumberOfUnitsSupplierProposals=Aantal eenheden op leveranciersvoorstellen NumberOfUnitsSupplierOrders=Aantal eenheden op inkooporders NumberOfUnitsSupplierInvoices=Aantal eenheden op leveranciersfacturen NumberOfUnitsContracts=Aantal eenheden op contracten -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsMos=Aantal te produceren eenheden in productieorders EMailTextInterventionAddedContact=Er is een nieuwe interventie %s aan u toegewezen. EMailTextInterventionValidated=De interventie %s is gevalideerd EMailTextInvoiceValidated=Factuur %s is gevalideerd. @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=URL van pagina WEBSITE_TITLE=Titel WEBSITE_DESCRIPTION=Omschrijving WEBSITE_IMAGE=Beeld -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Relatief pad van de beeldmedia. Je kunt dit leeg houden omdat dit zelden wordt gebruikt (het kan worden gebruikt door dynamische inhoud om een miniatuur weer te geven in een lijst met blogposts). Gebruik __WEBSITE_KEY__ in het pad als het pad afhangt van de naam van de website (bijvoorbeeld: image / __ WEBSITE_KEY __ / stories / myimage.png). WEBSITE_KEYWORDS=Sleutelwoorden LinesToImport=Regels om te importeren MemoryUsage=Geheugengebruik RequestDuration=Duur van het verzoek -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +PopuProp=Producten / diensten op populariteit in voorstellen +PopuCom=Producten / services op populariteit in Orders +ProductStatistics=Producten / diensten Statistieken +NbOfQtyInOrders=Aantal in bestellingen diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index 845fb659988..dd6c386ddd6 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Deze tool werkt het btw-tarief bij dat op ALLE%s zal verminderd word WarehouseForStockIncrease=De voorraad van magazijn %s zal verhoogd worden ForThisWarehouse=Voor dit magazijn ReplenishmentStatusDesc=Dit is een lijst met alle producten met een voorraad die lager is dan de gewenste voorraad (of lager dan de waarschuwingswaarde als het selectie-vakje "alleen waarschuwing" is aangevinkt). Met het selectie-vakje kunt u inkooporders maken om het verschil te vullen. +ReplenishmentStatusDescPerWarehouse=Als u een aanvulling wilt op basis van de gewenste hoeveelheid die per magazijn is gedefinieerd, moet u een filter aan het magazijn toevoegen. ReplenishmentOrdersDesc=Dit is een lijst met alle open inkooporders, inclusief vooraf gedefinieerde producten. Alleen openstaande orders met vooraf gedefinieerde producten, dus orders die van invloed kunnen zijn op voorraden, zijn hier zichtbaar. Replenishments=Bevoorradingen NbOfProductBeforePeriod=Aantal op voorraad van product %s voor de gekozen periode (<%s) @@ -193,7 +201,7 @@ TheoricalQty=Theoretisch aantal TheoricalValue=Theoretisch aantal LastPA=Laatste BP CurrentPA=Curent BP -RecordedQty=Recorded Qty +RecordedQty=Aantal opgenomen RealQty=Echte aantal RealValue=Werkelijke waarde RegulatedQty=Gereguleerde aantal @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Voorraad voor een specifiek magazijn InventoryForASpecificProduct=Voorraad voor een specifiek product StockIsRequiredToChooseWhichLotToUse=Voorraad is vereist om te kiezen welk lot te gebruiken ForceTo=Dwingen tot +AlwaysShowFullArbo=Volledige boomstructuur van magazijn weergeven op pop-up van magazijnkoppelingen (Waarschuwing: dit kan de prestaties drastisch verminderen) diff --git a/htdocs/langs/nl_NL/stripe.lang b/htdocs/langs/nl_NL/stripe.lang index 72c35169bb0..e7d3308cdfe 100644 --- a/htdocs/langs/nl_NL/stripe.lang +++ b/htdocs/langs/nl_NL/stripe.lang @@ -32,7 +32,7 @@ VendorName=Verkopersnaam CSSUrlForPaymentForm=URL van het CSS-stijlbestand voor het betalingsformulier NewStripePaymentReceived=Nieuwe Stripe-betaling ontvangen NewStripePaymentFailed=Nieuwe Stripe-betaling geprobeerd, maar mislukt -FailedToChargeCard=Failed to charge card +FailedToChargeCard=Kan kaart niet gebruiken STRIPE_TEST_SECRET_KEY=Geheime testsleutel STRIPE_TEST_PUBLISHABLE_KEY=Publiceerbare testsleutel STRIPE_TEST_WEBHOOK_KEY=Webhook test sleutel @@ -69,4 +69,4 @@ ToOfferALinkForTestWebhook=Link om Stripe WebHook in te stellen om de IPN te bel ToOfferALinkForLiveWebhook=Link om Stripe WebHook in te stellen om de IPN te bellen (live-modus) PaymentWillBeRecordedForNextPeriod=De betaling wordt geregistreerd voor de volgende periode. ClickHereToTryAgain=Klik hier om het opnieuw te proberen ... -CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s +CreationOfPaymentModeMustBeDoneFromStripeInterface=Vanwege de strenge regels voor klantauthenticatie moet het aanmaken van een kaart worden gedaan vanuit Stripe backoffice. U kunt hier klikken om Stripe-klantrecord in te schakelen: %s diff --git a/htdocs/langs/nl_NL/ticket.lang b/htdocs/langs/nl_NL/ticket.lang index 000d6458c6b..577c2fa1dfd 100644 --- a/htdocs/langs/nl_NL/ticket.lang +++ b/htdocs/langs/nl_NL/ticket.lang @@ -30,7 +30,7 @@ Permission56005=Bekijk tickets van alle derde partijen (niet van toepassing voor TicketDictType=Types TicketDictCategory=Groepen TicketDictSeverity=Prioriteit -TicketDictResolution=Ticket - Resolution +TicketDictResolution=Ticket - resolutie TicketTypeShortBUGSOFT=Foutmelding TicketTypeShortBUGHARD=Storing hardware TicketTypeShortCOM=Commerciële vraag @@ -130,10 +130,14 @@ TicketNumberingModules=Nummering module voor tickets TicketNotifyTiersAtCreation=Breng relatie op de hoogte bij het aanmaken TicketGroup=Groep TicketsDisableCustomerEmail=Schakel e-mails altijd uit wanneer een ticket wordt gemaakt vanuit de openbare interface +TicketsPublicNotificationNewMessage=Stuur e-mail (s) wanneer een nieuw bericht is toegevoegd +TicketsPublicNotificationNewMessageHelp=Stuur e-mail (s) wanneer een nieuw bericht is toegevoegd vanuit de openbare interface (naar de toegewezen gebruiker of de e-mail met meldingen naar (update) en / of de e-mail met meldingen naar) +TicketPublicNotificationNewMessageDefaultEmail=E-mailmeldingen voor (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Stuur e-mailmeldingen voor nieuwe berichten naar dit adres als aan het ticket geen gebruiker is toegewezen of de gebruiker geen e-mail heeft. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets omgeving TicketList=Ticketlijst TicketAssignedToMeInfos=Deze pagina geeft een ticketlijst weer die is gemaakt door of toegewezen aan de huidige gebruiker NoTicketsFound=Geen ticket gevonden @@ -254,7 +258,7 @@ TicketPublicDesc=Nieuwe ticket aanmaken of controleren bestaande ticket ID. YourTicketSuccessfullySaved=Ticket is opgeslagen. MesgInfosPublicTicketCreatedWithTrackId=Een nieuwe ticket is aangemaakt met ID 1%s en referentie 1%s PleaseRememberThisId=Bewaar het trackingnummer in geval dit later nodig kan zijn. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Bevestiging ticketaanmaak - Ref %s (openbare ticket-ID %s) TicketNewEmailSubjectCustomer=Nieuw ondersteunings ticket TicketNewEmailBody=Dit is een automatische e-mail om te bevestigen dat je een nieuwe ticket hebt geregistreerd. TicketNewEmailBodyCustomer=Dit is een automatische e-mail om te bevestigen dat er zojuist een nieuw ticket is aangemaakt in uw account. @@ -273,7 +277,7 @@ Subject=Onderwerp ViewTicket=Bekijk ticket ViewMyTicketList=Bekijk lijst met mijn tickets ErrorEmailMustExistToCreateTicket=Fout: e-mailadres niet gevonden in onze database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s) +TicketNewEmailSubjectAdmin=Nieuw ticket gemaakt - Ref %s (openbare ticket-ID %s) TicketNewEmailBodyAdmin=

Ticket is zojuist gemaakt met ID # %s, zie informatie:

SeeThisTicketIntomanagementInterface=Bekijk ticket in beheerinterface TicketPublicInterfaceForbidden=De openbare interface voor de tickets is niet ingeschakeld diff --git a/htdocs/langs/nl_NL/users.lang b/htdocs/langs/nl_NL/users.lang index 459a72f5c90..f0092998867 100644 --- a/htdocs/langs/nl_NL/users.lang +++ b/htdocs/langs/nl_NL/users.lang @@ -70,7 +70,7 @@ ExportDataset_user_1=Gebruikers en hun eigenschappen DomainUser=Domeingebruikersaccount %s Reactivate=Reactiveren CreateInternalUserDesc=Met dit formulier kunt u een interne gebruiker in uw bedrijf / organisatie maken. Om een externe gebruiker (klant, leverancier etc. ..) aan te maken, gebruikt u de knop "Aanmaken Dolibarr gebruiker" van de contactkaart van die relatie. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other (Creating an external user for a third-party can be done from the contact record of the third-party).

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +InternalExternalDesc=Een interne -gebruiker is een gebruiker die deel uitmaakt van uw bedrijf / organisatie.
Een externe externe -gebruiker is een klant, leverancier of andere (het aanmaken van een externe gebruiker voor een derde partij kan worden gedaan vanuit het contactrecord van de derde partij).

In beide gevallen definieert de machtiging rechten op Dolibarr, ook kan de externe gebruiker een andere menumanager hebben dan de interne gebruiker (zie Home - Setup - Display) PermissionInheritedFromAGroup=Toestemming verleend, omdat geërfd van een bepaalde gebruikersgroep. Inherited=Overgeërfd UserWillBeInternalUser=Gemaakt gebruiker een interne gebruiker te zijn (want niet gekoppeld aan een bepaalde derde partij) @@ -78,6 +78,7 @@ UserWillBeExternalUser=Gemaakt gebruiker zal een externe gebruiker (omdat gekopp IdPhoneCaller=Beller ID (telefoon) NewUserCreated=Gebruiker %s gemaakt NewUserPassword=Wachtwoord wijzigen voor %s +NewPasswordValidated=Uw nieuwe wachtwoord is gevalideerd en moet nu worden gebruikt om in te loggen. EventUserModified=Gebruiker %s gewijzigd UserDisabled=Gebruiker %s uitgeschakeld UserEnabled=Gebruiker %s geactiveerd @@ -113,5 +114,5 @@ CantDisableYourself=U kunt uw eigen gebruikersrecord niet uitschakelen ForceUserExpenseValidator=Validatierapport valideren ForceUserHolidayValidator=Forceer verlofaanvraag validator ValidatorIsSupervisorByDefault=Standaard is de validator de supervisor van de gebruiker. Blijf leeg om dit gedrag te behouden. -UserPersonalEmail=Personal email -UserPersonalMobile=Personal mobile phone +UserPersonalEmail=Persoonlijke e-mail +UserPersonalMobile=Persoonlijke mobiele telefoon diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index 3634c2a4331..be69e521fe6 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robotbestand (robots.txt) WEBSITE_HTACCESS=Website .htaccess bestand WEBSITE_MANIFEST_JSON=Website manifest.json bestand WEBSITE_README=README.md bestand +WEBSITE_KEYWORDSDesc=Gebruik een komma om waarden te scheiden EnterHereLicenseInformation=Voer hier metadata of licentie-informatie in om een README.md bestand in te dienen. Als u uw website als sjabloon distribueert, wordt het bestand opgenomen in het template-pakket. HtmlHeaderPage=HTML-header (alleen voor deze pagina) PageNameAliasHelp=Naam of alias van de pagina.
Deze alias wordt ook gebruikt om een SEO-URL te veranderen wanneer de website wordt uitgevoerd vanaf een virtuele host van een webserver (zoals Apacke, Nginx, ...). Gebruik de knop "%s" om deze alias te bewerken. @@ -42,8 +43,8 @@ ViewPageInNewTab=Bekijk pagina in nieuw tabblad SetAsHomePage=Als startpagina instellen RealURL=Echte URL ViewWebsiteInProduction=Bekijk website met behulp van eigen URL's -SetHereVirtualHost=Use with Apache/NGinx/...
Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on
%s -ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup: +SetHereVirtualHost= Gebruik met Apache / NGinx / ...
Creëer op uw webserver (Apache, Nginx, ...) een speciale virtuele host met PHP ingeschakeld en een root-directory op
%s +ExampleToUseInApacheVirtualHostConfig=Voorbeeld om te gebruiken in Apache virtual host setup: YouCanAlsoTestWithPHPS=Gebruik met PHP embedded server
In een ontwikkelomgeving kunt u de site het liefst testen met de ingebouwde PHP-webserver (PHP 5.5 vereist)
php -S 0.0.0.0:8080 -t %s YouCanAlsoDeployToAnotherWHP=Beheer uw website met een andere Dolibarr Hosting-provider
Als u geen webserver zoals Apache of NGinx beschikbaar heeft op internet, kunt u uw website exporteren en importeren in een ander Dolibarr-exemplaar van een andere Dolibarr-hostingprovider die volledige integratie met de websitemodule biedt. U kunt een lijst met sommige Dolibarr-hostingproviders vinden op https://saas.dolibarr.org CheckVirtualHostPerms=Controleer ook of virtuele host toestemming %s heeft voor bestanden in
%s @@ -77,7 +78,7 @@ BlogPost=Blogpost WebsiteAccount=Website account WebsiteAccounts=Website accounts AddWebsiteAccount=Maak een website-account -BackToListForThirdParty=Back to list for the third-party +BackToListForThirdParty=Terug naar lijst voor de derde partij DisableSiteFirst=Schakel website eerst uit MyContainerTitle=De titel van mijn website AnotherContainer=Zo neemt u inhoud van een andere pagina / container op (mogelijk hebt u hier een foutmelding als u dynamische code inschakelt omdat de ingesloten subcontainer mogelijk niet bestaat) @@ -85,7 +86,7 @@ SorryWebsiteIsCurrentlyOffLine=Sorry, deze website is momenteel offline. Kom lat WEBSITE_USE_WEBSITE_ACCOUNTS=Schakel de website-accounttabel in WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Schakel de tabel in om websiteaccounts (login/wachtwoord) voor elke website/relatie op te slaan YouMustDefineTheHomePage=U moet eerst de standaard startpagina definiëren -OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that the inline editor may not works correclty when used on a grabbed external page. +OnlyEditionOfSourceForGrabbedContentFuture=Waarschuwing: het maken van een webpagina door het importeren van een externe webpagina is gereserveerd voor ervaren gebruikers. Afhankelijk van de complexiteit van de bronpagina kan het resultaat van de invoer afwijken van het origineel. Ook als de bronpagina veelvoorkomende CSS-stijlen of tegenstrijdig JavaScript gebruikt, kan dit het uiterlijk of de functies van de Website-editor verbreken wanneer aan deze pagina wordt gewerkt. Deze methode is een snellere manier om een pagina te maken, maar het wordt aanbevolen om uw nieuwe pagina helemaal opnieuw te maken of vanuit een voorgestelde paginasjabloon.
Merk ook op dat de inline-editor mogelijk niet correct werkt wanneer deze wordt gebruikt op een externe pagina. OnlyEditionOfSourceForGrabbedContent=Alleen de HTML-bronversie is mogelijk wanneer inhoud van een externe site is opgehaald GrabImagesInto=Importeer ook afbeeldingen gevonden in css en pagina. ImagesShouldBeSavedInto=Afbeeldingen moeten worden opgeslagen in de directory @@ -120,11 +121,14 @@ ShowSubContainersOnOff=De modus om 'dynamische inhoud' uit te voeren is GlobalCSSorJS=Globaal CSS / JS / Header-bestand van website BackToHomePage=Terug naar de startpagina... TranslationLinks=Vertaling links -YouTryToAccessToAFileThatIsNotAWebsitePage=U probeert toegang te krijgen tot een pagina die geen webpagina is +YouTryToAccessToAFileThatIsNotAWebsitePage=U probeert toegang te krijgen tot een pagina die niet beschikbaar is.
(ref = %s, type = %s, status = %s) UseTextBetween5And70Chars=Gebruik voor goede SEO-praktijken een tekst tussen 5 en 70 tekens -MainLanguage=Main language -OtherLanguages=Other languages -UseManifest=Provide a manifest.json file -PublicAuthorAlias=Public author alias -AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties -ReplacementDoneInXPages=Replacement done in %s pages or containers +MainLanguage=Hoofdtaal +OtherLanguages=Andere talen +UseManifest=Geef een manifest.json-bestand op +PublicAuthorAlias=Alias van openbare auteur +AvailableLanguagesAreDefinedIntoWebsiteProperties=Beschikbare talen zijn gedefinieerd in website-eigenschappen +ReplacementDoneInXPages=Vervanging gedaan in %s pagina's of containers +RSSFeed=RSS-feeds +RSSFeedDesc=U kunt via deze URL een RSS-feed krijgen van de nieuwste artikelen met het type 'blogpost' +PagesRegenerated=%s pagina ('s) / container (s) her-aangemaakt diff --git a/htdocs/langs/nl_NL/withdrawals.lang b/htdocs/langs/nl_NL/withdrawals.lang index a06e1100371..c17d0da5be1 100644 --- a/htdocs/langs/nl_NL/withdrawals.lang +++ b/htdocs/langs/nl_NL/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Onderdeel automatische incasso betalingsopdrachten -SuppliersStandingOrdersArea=Directe betaalopdrachten omgeving +CustomersStandingOrdersArea=Betalingen via automatische incasso +SuppliersStandingOrdersArea=Betalingen via overschrijving StandingOrdersPayment=Orders automatisch te incasseren StandingOrderPayment=Incasso betalingsopdracht NewStandingOrder=Nieuwe incasso opdracht +NewPaymentByBankTransfer=Nieuwe betaling via overschrijving StandingOrderToProcess=Te verwerken +PaymentByBankTransferReceipts=Overboekingsopdrachten +PaymentByBankTransferLines=Overschrijvingsorderregels WithdrawalsReceipts=Incasso-opdrachten WithdrawalReceipt=Incasso-opdracht +BankTransferReceipts=Overboekingsbewijzen +BankTransferReceipt=Kassabon +LatestBankTransferReceipts=Laatste %s overboekingsopdrachten LastWithdrawalReceipts=Laatste %s incassobestanden +WithdrawalsLine=Incasso-orderregel +CreditTransferLine=Overschrijvingsregel WithdrawalsLines=Regels voor automatische incasso -RequestStandingOrderToTreat=Verzoek om automatische incasso te verwerken -RequestStandingOrderTreated=Verzoek om automatische incassomachtiging verwerkt +CreditTransferLines=Overschrijvingsregels +RequestStandingOrderToTreat=Verzoek om betalingsopdrachten te verwerken +RequestStandingOrderTreated=Verzoeken om betaling via automatische incasso verwerkt +RequestPaymentsByBankTransferToTreat=Verzoeken om overboeking te verwerken +RequestPaymentsByBankTransferTreated=Verzoeken voor overboeking verwerkt NotPossibleForThisStatusOfWithdrawReceiptORLine=Nog niet mogelijk. De intrekkingsstatus moet worden ingesteld op 'gecrediteerd' voordat we weigeren op specifieke regels. -NbOfInvoiceToWithdraw=Aantal gekwalificeerde facturen met wachtende domiciliëringsopdracht +NbOfInvoiceToWithdraw=Aantal gekwalificeerde klantfacturen met wachtende automatische incasso NbOfInvoiceToWithdrawWithInfo=Aantal klantfacturen met automatische incasso-betalingsopdrachten met gedefinieerde bankrekeninggegevens +NbOfInvoiceToPayByBankTransfer=Aantal goedgekeurde facturen van leveranciers die wachten op betaling via overboeking +SupplierInvoiceWaitingWithdraw=Leveranciersfactuur wacht op betaling via overboeking InvoiceWaitingWithdraw=Factuur wacht op automatische incasso +InvoiceWaitingPaymentByBankTransfer=Factuur wacht op overboeking AmountToWithdraw=Bedrag in te trekken -WithdrawsRefused=Automatische incasso geweigerd -NoInvoiceToWithdraw=Er wacht geen klantfactuur met open 'Automatische incasso-aanvragen'. Ga op tabblad '%s' op factuurkaart om een aanvraag in te dienen. +NoInvoiceToWithdraw=Er staat geen factuur open voor '%s'. Ga op tabblad '%s' op factuurkaart om een verzoek in te dienen. +NoSupplierInvoiceToWithdraw=Geen leveranciersfactuur met open 'betalingsverzoek'. Ga op tabblad '%s' op factuurkaart om een verzoek in te dienen. ResponsibleUser=Verantwoordelijke gebruiker WithdrawalsSetup=Instelling voor automatische incasso +CreditTransferSetup=Credit transfer setup WithdrawStatistics=Automatische incasso statistieken -WithdrawRejectStatistics=Geweigerde automatische incasso statistieken +CreditTransferStatistics=Overboeking statistieken +Rejects=Verworpen LastWithdrawalReceipt=Laatste %s ontvangen incasso's MakeWithdrawRequest=Automatische incasso aanmaken WithdrawRequestsDone=%s Betalingsverzoeken voor automatische incasso geregistreerd @@ -34,7 +50,9 @@ TransMetod=Transmissiewijze Send=Verzenden Lines=Regels StandingOrderReject=Geef een afwijzing +WithdrawsRefused=Automatische incasso geweigerd WithdrawalRefused=Intrekking afwijzigingen +CreditTransfersRefused=Overboekingen geweigerd WithdrawalRefusedConfirm=Weet u zeker dat u een intrekkingsafwijzing wilt invoeren RefusedData=Datum van de afwijzing RefusedReason=Reden voor afwijzing @@ -58,6 +76,8 @@ StatusMotif8=Andere reden CreateForSepaFRST=Maak een domiciliëringsbestand (SEPA FRST) CreateForSepaRCUR=Maak een domiciliëringsbestand (SEPA RCUR) CreateAll=Maak een domiciliëringsbestand (alles) +CreateFileForPaymentByBankTransfer=Maak een overboeking (alles) +CreateSepaFileForPaymentByBankTransfer=Maak een overboekingsbestand (SEPA) aan CreateGuichet=Alleen kantoor CreateBanque=Alleen de bank OrderWaiting=Wachtend op behandeling @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nationale zender nummer WithBankUsingRIB=Voor bankrekeningen die gebruik maken van RIB WithBankUsingBANBIC=Voor bankrekeningen die gebruik maken van IBAN / BIC / SWIFT BankToReceiveWithdraw=Ontvangende bankrekening +BankToPayCreditTransfer=Bankrekening gebruikt als betalingsbron CreditDate=Crediteer op WithdrawalFileNotCapable=Kan geen ontvangstbewijsbestand voor uw land genereren %s (uw land wordt niet ondersteund) ShowWithdraw=Incasso-opdracht weergeven @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Als de factuur echter ten minste éé DoStandingOrdersBeforePayments=Op dit tabblad kunt u een betalingsopdracht voor automatische incasso aanvragen. Eenmaal gedaan, ga naar menu Bank-> Incasso-opdrachten om de betalingsopdracht voor automatische incasso te beheren. Wanneer de betalingsopdracht wordt gesloten, wordt de betaling op factuur automatisch geregistreerd en wordt de factuur gesloten als het resterende bedrag nietig is. WithdrawalFile=Intrekkingsbestand SetToStatusSent=Stel de status in "Bestand verzonden" -ThisWillAlsoAddPaymentOnInvoice=Hiermee worden ook betalingen aan facturen geregistreerd en worden ze geclassificeerd als "Betaald" als ze nog te betalen zijn +ThisWillAlsoAddPaymentOnInvoice=Dit registreert ook betalingen op facturen en classificeert ze als "Betaald" als het resterende bedrag niet is betaald StatisticsByLineStatus=Statistieken per status van lijnen RUM=UMR DateRUM=Mandaat handtekening datum diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang index 9fb5af3c472..5e8bbad5609 100644 --- a/htdocs/langs/pl_PL/accountancy.lang +++ b/htdocs/langs/pl_PL/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=Następujące akcje są wykonywane zwykle każdego miesiąca, tygodnia lub dnia dla naprawdę wielkich firm... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=Krok %s: Zdefiniuj konta księgowe dla każdej stawki VAT. W tym celu użyj pozycji menu %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index 12cc4230876..655d51f48a2 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -10,13 +10,13 @@ VersionDevelopment=Rozwój VersionUnknown=Nieznany VersionRecommanded=Zalecana FileCheck=Fileset Integrity Checks -FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to determine if any files have been modified (e.g by a hacker). +FileCheckDesc=To narzędzie pozwala sprawdzić integralność plików i konfigurację Twej aplikacji, porównując każdy plik z oficjalnym, w tym wartości niektórych stałych z konfiguracji. Pozwala to ustalić czy jakieś pliki zostały zmodyfikowane (np. przez hakera). FileIntegrityIsStrictlyConformedWithReference=Integralność plików jest ściśle zgodna z referencją. FileIntegrityIsOkButFilesWereAdded=Sprawdzenie integralności plików przebiegło pomyślnie, aczkolwiek jakieś nowe pliki zostały dodane. FileIntegritySomeFilesWereRemovedOrModified=Sprawdzenie integralności plików zakończylo się niepowodzeniem. Niektóre pliki zostaly zmodyfikowane, usunięte lub dodane. GlobalChecksum=Globalna suma kontrolna -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) +MakeIntegrityAnalysisFrom=Wykonaj analizę integralności plików aplikacji z +LocalSignature=Wbudowany podpis lokalny (mniej niezawodny) RemoteSignature=Remote distant signature (more reliable) FilesMissing=Brakujące pliki FilesUpdated=Aktualizacja plików @@ -30,18 +30,18 @@ SessionSaveHandler=Asystent zapisu sesji SessionSavePath=Session save location PurgeSessions=Czyszczenie sesji ConfirmPurgeSessions=Czy na pewno chcesz usunąć wszystkie sesje? Spowoduje to odłączenie każdego użytkownika (oprócz ciebie). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. +NoSessionListWithThisHandler=Obsługa sesji zapisu skonfigurowana w twoim PHP nie pozwala wyświetlić listy uruchomionych sesji. LockNewSessions=Zablokuj nowe połączenia -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=Czy na pewno chcesz ograniczyć możliwość łączenia się z Dolibarr wyłącznie do siebie? Gdy to zrobisz, tylko użytkownik %s będzie mógł się połączyć. UnlockNewSessions=Usuwanie blokady połączeń YourSession=Twoja sesja Sessions=Sesje użytkowników WebUserGroup=Serwer sieci Web użytkownik / grupa -NoSessionFound=Your PHP configuration seems to not allow listing of active sessions. The directory used to save sessions (%s) may be protected (for example by OS permissions or by PHP directive open_basedir). +NoSessionFound=Twoja konfiguracja PHP wydaje się nie pozwalać na wyświetlanie aktywnych sesji. Katalog używany do zapisywania sesji (%s) może być chroniony (na przykład przez uprawnienia systemu operacyjnego lub dyrektywę PHP open_basedir). DBStoringCharset=Kodowanie bazy danych do przechowywania danych DBSortingCharset=Kodowanie bazy danych by sortować dane -HostCharset=Host charset -ClientCharset=Client charset +HostCharset=Zestaw znaków hosta +ClientCharset=Zestaw znaków klienta ClientSortingCharset=Zestawienie klienta WarningModuleNotActive=Moduł %s musi być aktywny WarningOnlyPermissionOfActivatedModules=Tylko uprawnienia związane z funkcją aktywowania modułów pokazane są tutaj. Możesz uaktywnić inne moduły w instalacji - moduł strony. @@ -55,10 +55,10 @@ SetupArea=Konfiguracja UploadNewTemplate=Załaduj nowy szablon(y) FormToTestFileUploadForm=Formularz do wysyłania pliku testowego (według konfiguracji) IfModuleEnabled=Uwaga: tak jest skuteczne tylko wtedy, gdy moduł %s jest aktywny -RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. -RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. +RemoveLock=Usuń/zmień nazwę pliku %s o ile istnieje, aby umożliwić korzystanie z narzędzia Aktualizuj/Instaluj. +RestoreLock=Przywróć plik %s o uprawnieniach tylko do odczytu, aby wyłączyć dalsze korzystanie z narzędzia Aktualizuj/Instaluj. SecuritySetup=Ustawienia bezpieczeństwa -SecurityFilesDesc=Define here options related to security about uploading files. +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 ErrorDecimalLargerThanAreForbidden=Błąd, dokładność większa niż %s nie jest obsługiwana @@ -67,16 +67,16 @@ Dictionary=Słowniki ErrorReservedTypeSystemSystemAuto=Wartość "System" i "systemauto" dla typu jest zarezerwowana. Możesz użyć "użytkownik" jako wartości, aby dodać swój własny rekord ErrorCodeCantContainZero=Kod nie może zawierać wartości "0" DisableJavascript=Wyłączanie funkcji JavaScript i Ajax -DisableJavascriptNote=Note: For test or debug purpose. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +DisableJavascriptNote=Uwaga: Do celów testowych lub debugowania. W celu optymalizacji dla osób niewidomych lub przeglądarek tekstowych możesz użyć ustawień w profilu użytkownika UseSearchToSelectCompanyTooltip=Jeśli masz dużą liczbę kontrahentów (> 100 000), można zwiększyć prędkość przez ustawienie stałej COMPANY_DONOTSEARCH_ANYWHERE na 1 w Ustawienia -> Inne. Wyszukiwanie będzie wtedy ograniczone do rozpoczęcia ciągu znaków. UseSearchToSelectContactTooltip=Jeśli masz dużą liczbę kontrahentów (> 100 000), można zwiększyć prędkość przez ustawienie stałej COMPANY_DONOTSEARCH_ANYWHERE na 1 w Ustawienia -> Inne. Wyszukiwanie będzie wtedy ograniczone do rozpoczęcia ciągu znaków. -DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
This may increase performance if you have a large number of third parties, but it is less convenient. -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
This may increase performance if you have a large number of contacts, but it is less convenient) -NumberOfKeyToSearch=Number of characters to trigger search: %s -NumberOfBytes=Number of Bytes +DelaiedFullListToSelectCompany=Poczekaj na naciśnięcie klawisza przed załadowaniem zawartości kombinowanej listy Strony Trzecie.
Może to zwiększyć wydajność, jeśli masz dużą liczbę stron trzecich, ale jest to mniej wygodne. +DelaiedFullListToSelectContact=Poczekaj na naciśnięcie klawisza przed załadowaniem zawartości kombinowanej listy Kontakt.
Może to zwiększyć wydajność, jeśli masz dużą liczbę kontaktów, ale jest to mniej wygodne) +NumberOfKeyToSearch=Liczba znaków do uruchomienia wyszukiwania: %s +NumberOfBytes=Liczba Bajtów SearchString=Szukana fraza NotAvailableWhenAjaxDisabled=Niedostępne kiedy Ajax nie działa -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party +AllowToSelectProjectFromOtherCompany=Na dokumencie kontrahenta można wybrać projekt powiązany z innym kontrahentem JavascriptDisabled=JavaScript wyłączony UsePreviewTabs=Użyj podgląd karty ShowPreview=Pokaż podgląd @@ -84,7 +84,7 @@ PreviewNotAvailable=Podgląd niedostępny ThemeCurrentlyActive=Temat obecnie aktywny CurrentTimeZone=Strefa czasowa PHP (server) MySQLTimeZone=Strefa czasowa MySQL (baza danych) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). +TZHasNoEffect=Daty są przechowywane i zwracane przez serwer bazy danych tak, jakby były przechowywane jako przesłany ciąg. Strefa czasowa działa tylko przy użyciu funkcji UNIX_TIMESTAMP (która nie powinna być używana przez Dolibarr, więc baza danych TZ nie powinna mieć żadnego efektu, nawet jeśli zostanie zmieniona po wprowadzeniu danych). Space=Przestrzeń Table=Tabela Fields=Pola @@ -93,16 +93,16 @@ Mask=Maska NextValue=Następna wartość NextValueForInvoices=Następna wartość (faktury) NextValueForCreditNotes=Następna wartość (not kredytowych) -NextValueForDeposit=Next value (down payment) +NextValueForDeposit=Następna wartość (zaliczka) NextValueForReplacements=Następna wartość (zamienniki) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Uwaga: twoja konfiguracja PHP obecnie ogranicza maksymalny rozmiar pliku do przesłania do %s %s, niezależnie od wartości tego parametru NoMaxSizeByPHPLimit=Uwaga: Brak ustawionego limitu w twojej konfiguracji PHP MaxSizeForUploadedFiles=Maksymalny rozmiar dla twoich przesyłanych plików (0 by zabronić jego przesyłanie/upload) UseCaptchaCode=Użyj graficzny kod (CAPTCHA) na stronie logowania AntiVirusCommand=Pełna ścieżka do poleceń antivirusa -AntiVirusCommandExample=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe +AntiVirusCommandExample=Przykład dla ClamAv Daemon (wymaga clamav-demon): /usr/bin/clamdscan
Przykład dla ClamWin (bardzo, bardzo wolny): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Więcej parametrów w linii poleceń -AntiVirusParamExample=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Przykład dla ClamAv Daemon: --fdpass
Przykład dla ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Konfiguracja modułu rachunkowości UserSetup=Zarządzanie konfiguracją użytkowników MultiCurrencySetup=Konfiguracja multi-walut @@ -115,14 +115,14 @@ NotConfigured=Moduł/Aplikacja nie skonfigurowana Active=Aktywne SetupShort=Konfiguracja OtherOptions=Inne opcje -OtherSetup=Other Setup +OtherSetup=Inne ustawienia CurrentValueSeparatorDecimal=Separator dziesiętny CurrentValueSeparatorThousand=Separator tysięczny Destination=Miejsce przeznaczenia IdModule=Identyfikator modułu IdPermissions=ID uprawnień LanguageBrowserParameter=Parametr %s -LocalisationDolibarrParameters=Localization parameters +LocalisationDolibarrParameters=Parametry lokalizacji ClientTZ=Strefa Czasowa Klienta (użytkownik) ClientHour=Czas klienta (użytkownik) OSTZ=Strefa czasowa Serwera OS @@ -130,11 +130,11 @@ PHPTZ=Strefa czasowa serwera PHP DaylingSavingTime=Czas letni (użytkownik) CurrentHour=Aktualna godzina CurrentSessionTimeOut=Obecna sesja wygasła -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. +YouCanEditPHPTZ=Aby ustawić inną strefę czasową PHP (nie wymagane), możesz spróbować dodać plik .htaccess z przykładowym wierszem „SetEnv TZ Europe/Warsaw” +HoursOnThisPageAreOnServerTZ=Ostrzeżenie, w przeciwieństwie do innych ekranów, godziny na tej stronie nie są w lokalnej strefie czasowej, ale w strefie czasowej serwera. Box=Widżet Boxes=Widżety -MaxNbOfLinesForBoxes=Max. number of lines for widgets +MaxNbOfLinesForBoxes=Max. liczba linii dla widżetów AllWidgetsWereEnabled=Wszystkie dostępne widgety zostały wlączone PositionByDefault=Domyślny porządek Position=Pozycja @@ -142,21 +142,21 @@ MenusDesc=Menadżer menu ustawia zawartość dwóch pasków menu (poziomego i pi MenusEditorDesc=Edytor menu pozwala na ustawienie własnych pozycji menu. Używaj go ostrożnie, aby nie spowodować niedostępności pozycji menu.
Niektóre moduły i pozycje menu (w menu Wszystkieszczególnie). Jeżeli usuniesz te pozycje przez pomyłkę, możesz przywrócić je wyłączając a następnie włączając moduł. MenuForUsers=Menu dla użytkowników LangFile=Plik. Lang -Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) +Language_en_US_es_MX_etc=Język (en_US, es_MX, ...) System=System SystemInfo=Informację systemowe SystemToolsArea=Obszar narzędzi systemowych -SystemToolsAreaDesc=This area provides administration functions. Use the menu to choose the required feature. +SystemToolsAreaDesc=Ten Obszar zapewnia funkcje administracyjne. Użyj menu, aby wybrać żądaną funkcję. Purge=Czyszczenie -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. +PurgeAreaDesc=Ta strona pozwala usunąć wszystkie pliki wygenerowane lub przechowywane przez Dolibarr (pliki tymczasowe lub wszystkie pliki w katalogu %s). Korzystanie z tej funkcji zwykle nie jest konieczne. Jest to obejście dla użytkowników, których Dolibarr jest hostowany przez dostawcę, który nie oferuje uprawnień do usuwania plików wygenerowanych przez serwer WWW. PurgeDeleteLogFile=Usuń pliki logu, wliczając %s zdefiniowany dla modułu Syslog (brak ryzyka utraty danych) -PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago. +PurgeDeleteTemporaryFiles=Usuń wszystkie pliki tymczasowe (bez ryzyka utraty danych). Uwaga: Usuwanie odbywa się tylko wtedy, gdy katalog tymczasowy został utworzony 24 godziny temu. PurgeDeleteTemporaryFilesShort=Usuń pliki tymczasowe -PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. +PurgeDeleteAllFilesInDocumentsDir=Usuń wszystkie pliki z katalogu: %s.
Spowoduje to usunięcie wszystkich wygenerowanych dokumentów związanych z elementami (strony trzecie, faktury itp.), plików przesłanych do modułu ECM, zrzutów kopii zapasowej bazy danych i plików tymczasowych. PurgeRunNow=Czyść teraz PurgeNothingToDelete=Brak katalogu lub plików do usunięcia. PurgeNDirectoriesDeleted= %s pliki lub katalogi usunięte. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Nie udało się usunąć plików lub katalogów %s. PurgeAuditEvents=Czyść wszystkie wydarzenia ConfirmPurgeAuditEvents=Czy jesteś pewien, że chcesz usunąć wszystkie zdarzenia związane z bezpieczeństwem? Wszystkie logo związane z bezpieczeństwem zostaną usunięte. Inne dane nie zostaną usunięte. GenerateBackup=Generowanie kopii zapasowej @@ -170,17 +170,17 @@ NoBackupFileAvailable=Brak plików kopii zapasowej ExportMethod=Sposób eksportu ImportMethod=Sposób importu ToBuildBackupFileClickHere=Aby utworzyć kopię zapasową, wybierz tutaj. -ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
For example: +ImportMySqlDesc=Aby zaimportować plik kopii zapasowej MySQL, możesz użyć phpMyAdmin za pośrednictwem swojego hostingu lub użyć polecenia mysql w linii poleceń.
Na przykład: ImportPostgreSqlDesc=Aby zaimportować plik kopii zapasowej, należy użyć polecenia pg_restore z linii poleceń: ImportMySqlCommand=%s %s aktywnych modułów są widoczne. -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. +ModulesDesc=Moduły/aplikacje określają, które funkcje są dostępne w oprogramowaniu. Niektóre moduły wymagają przyznania uprawnień użytkownikom po aktywacji modułu. Kliknij przycisk Włącz/Wyłącz %s każdego modułu, aby włączyć lub wyłączyć moduł/aplikację. ModulesMarketPlaceDesc=Możesz znaleźć więcej modułów do pobrania na zewnętrznych stronach internetowych... -ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. +ModulesDeployDesc=Jeśli uprawnienia w Twym systemie plików na to pozwalają, możesz użyć tego narzędzia do wdrożenia modułu zewnętrznego. Moduł będzie wtedy widoczny na zakładce %s. ModulesMarketPlaces=Znajdź dodatkowe aplikacje / moduły ModulesDevelopYourModule=Stwórz własną aplikację/moduły -ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Nowy +ModulesDevelopDesc=Możesz także opracować własny moduł lub znaleźć partnera, który opracuje go dla Ciebie. +DOLISTOREdescriptionLong=Zamiast angażować witrynę internetową www.dolistore.com do wyszukiwania modułu zewnętrznego, możesz skorzystać z tego wbudowanego narzędzia, które wykona wyszukiwanie na rynku zewnętrznym (to może być dość wolne, bo potrzebuje dostępu do Internetu)... +NewModule=Nowy moduł FreeModule=Darmowe CompatibleUpTo=Kompatybilne z wersją %s NotCompatible=ten moduł nie jest kompatybilny z twoją wersją Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=See in Market place +CompatibleAfterUpdate=Ten moduł wymaga aktualizacji Dolibarr %s (Min %s - Max %s). +SeeInMarkerPlace=Zobacz w miejscu zakupów SeeSetupOfModule=Zobacz konfigurację modułu %s Updated=Zaktualizowane Nouveauté=Nowość AchatTelechargement=Kup / Pobierz -GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. +GoModuleSetupArea=Aby wdrożyć/zainstalować nowy moduł, przejdź do obszaru konfiguracji modułów: %s. DoliStoreDesc=DoliStore, oficjalny kanał dystrybucji zewnętrznych modułów Dolibarr ERP / CRM -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. -WebSiteDesc=External websites for more add-on (non-core) modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. +WebSiteDesc=Zewnętrzne strony internetowe dla dodatkowych (innych niż podstawowe) modułów. +DevelopYourModuleDesc=Niektóre zagadnienia do opracowania własnego modułu... URL=URL -RelativeURL=Relative URL +RelativeURL=Względny adres URL BoxesAvailable=Dostępne widgety BoxesActivated=Widgety aktywowane ActivateOn=Uaktywnij @@ -234,80 +234,80 @@ Required=Wymagany UsedOnlyWithTypeOption=Używane przez niektórych opcji porządku obrad tylko Security=Bezpieczeństwo Passwords=Hasła -DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. -MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. +DoNotStoreClearPassword=Szyfruj hasła przechowywane w bazie danych (NIE jako zwykły tekst). Zdecydowanie zaleca się aktywowanie tej opcji. +MainDbPasswordFileConfEncrypted=Zaszyfruj hasło do bazy danych przechowywane w pliku conf.php. Zdecydowanie zaleca się aktywowanie tej opcji. InstrucToEncodePass=To have password encoded into the conf.php file, replace the line
$dolibarr_main_db_pass="...";
by
$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line
$dolibarr_main_db_pass="crypted:...";
by
$dolibarr_main_db_pass="%s"; -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. +ProtectAndEncryptPdfFiles=Chroń wygenerowane pliki PDF. To NIE jest zalecane, ponieważ przerywa generowanie zbiorczego pliku PDF. ProtectAndEncryptPdfFilesDesc=Ochrona dokumentu PDF umożliwia jego odczyt i druk w dowolnej przeglądarce PDF. Jednak edytowanie i kopiowanie nie jest już możliwe. Zauważ, że korzystanie z tej funkcji sprawia, że tworzenie globalnie połączonych plików PDF nie działa. Feature=Funkcja DolibarrLicense=Licencja Developpers=Programiści / Współpracownicy -OfficialWebSite=Dolibarr official web site +OfficialWebSite=Oficjalna strona internetowa Dolibarr OfficialWebSiteLocal=Local web site (%s) -OfficialWiki=Dolibarr documentation / Wiki +OfficialWiki=Dokumentacja Dolibarr / Wiki OfficialDemo=Dolibarr online demo OfficialMarketPlace=Oficjalne miejsce dystrybucji zewnętrznych modułów / dodatków OfficialWebHostingService=Opisywane usługi hostingowe (Cloud hosting) ReferencedPreferredPartners=Preferowani Partnerzy OtherResources=Inne zasoby -ExternalResources=External Resources +ExternalResources=Zasoby zewnętrzne SocialNetworks=Sieci społecznościowe ForDocumentationSeeWiki=Aby zapoznać się z dokumentacją użytkownika lub dewelopera (Doc, FAQ ...),
zajrzyj do Dolibarr Wiki:
%s ForAnswersSeeForum=Aby znaleźć odpowiedzi na pytania / uzyskać dodatkową pomoc, możesz skorzystać z forum Dolibarr :
%s -HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. -HelpCenterDesc2=Some of these resources are only available in english. +HelpCenterDesc1=Oto niektóre zasoby pozwalające uzyskać pomoc i wsparcie z Dolibarr. +HelpCenterDesc2=Niektóre z tych zasobów są dostępne tylko w języku angielskim. CurrentMenuHandler=Aktualne menu obsługi MeasuringUnit=Jednostki pomiarowe LeftMargin=Lewy margines TopMargin=Górny margines PaperSize=Typ papieru Orientation=Orientacja -SpaceX=Space X -SpaceY=Space Y +SpaceX=Spacja X +SpaceY=Spacja Y FontSize=Wielkość czcionki Content=Zawartość NoticePeriod=Okres wypowiedzenia -NewByMonth=New by month +NewByMonth=Nowe według miesiąca Emails=Wiadomości email EMailsSetup=Ustawienia wiadomości email -EMailsDesc=This page allows you to override your default PHP parameters for email sending. In most cases on Unix/Linux OS, the PHP setup is correct and these parameters are unnecessary. -EmailSenderProfiles=Emails sender profiles -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. -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) +EMailsDesc=Ta strona pozwala zastąpić domyślne parametry PHP do wysyłania wiadomości e-mail. W większości przypadków w systemie operacyjnym Unix/Linux konfiguracja PHP jest poprawna i te parametry są niepotrzebne. +EmailSenderProfiles=Profile nadawców wiadomości e-mail +EMailsSenderProfileDesc=Możesz pozostawić tę sekcję pustą. Jeśli wpiszesz tutaj adresy e-mail, zostaną one dodane do listy możliwych nadawców dostępnej podczas pisania nowej wiadomości e-mail. +MAIN_MAIL_SMTP_PORT=Port SMTP/SMTPS (wartość domyślna w php.ini: %s) +MAIN_MAIL_SMTP_SERVER=Maszyna SMTP/SMTPS (wartość domyślna w php.ini: %s) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port SMTP/SMTPS (nie zdefiniowany w PHP systemów uniksopodobnych) +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Maszyna SMTP/SMTPS (nie zdefiniowana w PHP systemów uniksopodobnych) +MAIN_MAIL_EMAIL_FROM=Nadawca automatycznych wiadomości e-mail (wartość domyślna w php.ini: %s) +MAIN_MAIL_ERRORS_TO=Konto e-mail otrzymujące informacje o błędach przy wysyłaniu wiadomości e-mail (pola „Errors-To” w wysłanych wiadomościach e-mail) MAIN_MAIL_AUTOCOPY_TO= Kopiuj (Cc) wszystkie wysłane emaile do -MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email -MAIN_MAIL_SENDMODE=Email sending method -MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) -MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) -MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption -MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption -MAIN_MAIL_EMAIL_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_DISABLE_ALL_MAILS=Wyłącz wysyłanie wszystkich wiadomości e-mail (do celów testowych lub pokazów) +MAIN_MAIL_FORCE_SENDTO=Zamiast do prawdziwych odbiorców wysyłaj wszystkie wiadomości e-mail do (wprowadzone w celach testowych) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Podawaj konta e-mail pracowników (jeśli są zdefiniowane) na liście proponowanych odbiorców, dostępnej podczas pisania nowej wiadomości e-mail +MAIN_MAIL_SENDMODE=Metoda wysyłania wiadomości e-mail +MAIN_MAIL_SMTPS_ID=Identyfikator/login SMTP (jeśli serwer wysyłający wymaga uwierzytelnienia) +MAIN_MAIL_SMTPS_PW=Hasło SMTP (jeśli serwer wysyłający wymaga uwierzytelnienia) +MAIN_MAIL_EMAIL_TLS=Użyj szyfrowania TLS (SSL) +MAIN_MAIL_EMAIL_STARTTLS=Użyj szyfrowania TLS (STARTTLS) +MAIN_MAIL_EMAIL_DKIM_ENABLED=Użyj metody uwierzytelniania DKIM do generowania podpisu e-mail +MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domena DNS utrzymująca informacje DKIM +MAIN_MAIL_EMAIL_DKIM_SELECTOR=Selektor DKIM wskazujący rekord DNS +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Klucz prywatny do podpisywania w DKIM +MAIN_DISABLE_ALL_SMS=Wyłącz wysyłanie wszelkich wiadomości SMS (do celów testowych lub pokazów) MAIN_SMS_SENDMODE=Metoda służy do wysyłania wiadomości SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending -MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) +MAIN_MAIL_SMS_FROM=Domyślny numer telefonu wysyłającego wiadomości SMS +MAIN_MAIL_DEFAULT_FROMTYPE=Domyślny adres konta e-mail (użytkownika lub firmowy) do ręcznego wysyłania UserEmail=Adres email użytkownika -CompanyEmail=Company Email +CompanyEmail=Adres firmowego konta e-mail FeatureNotAvailableOnLinux=Cechy te nie są dostępne w systemach Unix, takich jak. Przetestuj swój program sendmail lokalnie. -SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslation=Jeśli tłumaczenie dla tego języka nie jest kompletne lub znajdziesz błędy, możesz to poprawić, edytując pliki w katalogu langs/%s. Prześlij potem swoją zmianę na www.transifex.com/dolibarr-association/dolibarr/ SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or for developers on github.com/Dolibarr/dolibarr. ModuleSetup=Moduł konfiguracji ModulesSetup=Ustawienia Modułów/Aplikacji ModuleFamilyBase=System -ModuleFamilyCrm=Customer Relationship Management (CRM) -ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Product Management (PM) +ModuleFamilyCrm=Zarządzanie relacjami z klientami (CRM) +ModuleFamilySrm=Zarządzanie relacjami z dostawcami (VRM) +ModuleFamilyProducts=Zarządzanie produktem (PM) ModuleFamilyHr=Zarządzanie zasobami ludzkimi ModuleFamilyProjects=Projekty / Praca zespołowa ModuleFamilyOther=Inne @@ -315,22 +315,22 @@ ModuleFamilyTechnic=Narzędzia dla wielu modłułów ModuleFamilyExperimental=Eksperymentalne moduły ModuleFamilyFinancial=Moduły finansowe (Księgowość) ModuleFamilyECM=ECM -ModuleFamilyPortal=Websites and other frontal application +ModuleFamilyPortal=Witryny internetowe i inne aplikacje frontalne tj. z interfejsem dla użytkownika końcowego ModuleFamilyInterface=Interfejsy z systemami zewnętrznymi MenuHandlers=Menu obsługi MenuAdmin=Edytor menu DoNotUseInProduction=Nie używaj w produkcji -ThisIsProcessToFollow=Upgrade procedure: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +ThisIsProcessToFollow=Procedura aktualizacji: +ThisIsAlternativeProcessToFollow=Alternatywna konfiguracja do ręcznego przetwarzania: StepNb=Krok %s -FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). -DownloadPackageFromWebSite=Download package (for example from the official web site %s). -UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s -UnpackPackageInModulesRoot=To deploy/install an external module, unpack/unzip the packaged files into the server directory dedicated to external modules:
%s -SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. +FindPackageFromWebSite=Znajdź pakiet zapewniający potrzebne funkcje (na przykład na oficjalnej stronie internetowej %s). +DownloadPackageFromWebSite=Pobierz pakiet (na przykład z oficjalnej strony internetowej %s). +UnpackPackageInDolibarrRoot=Rozpakuj / rozpakuj spakowane pliki do katalogu serwera Dolibarr: %s +UnpackPackageInModulesRoot=By wdrożyć/zainstalować moduł zewnętrzny, rozpakuj dystrybucyjny plik modułu do serwerowego katalogu dla modułów zewnętrznych:
%s +SetupIsReadyForUse=Wdrożenie modułu zostało zakończone. Teraz musisz go włączyć i skonfigurować. W tym celu przejdź do strony ustawień modułów: %s. NotExistsDirect=Alternatywny katalog główny nie jest zdefiniowany w istniejącym katalogu.
InfDirAlt=Od wersji 3 możliwe jest zdefiniowanie alternatywnego katalogu głównego. Pozwala to na przechowywanie w dedykowanym katalogu wtyczek oraz niestandardowych szablonów.
Wystarczy utworzyć katalog w lokalizacji plików Dolibarr (na przykład: niestandardowe).
-InfDirExample=
Then declare it in the file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. +InfDirExample= 
Następnie zadeklarować je w pliku conf.php
$ dolibarr_main_url_root_alt = '' / zwyczajem
$ dolibarr_main_document_root_alt = '/ path / z / Dolibarr / htdocs / niestandardowej'
Jeśli te wiersze są z komentarzem "#", aby umożliwić im , po prostu odkomentuj, usuwając znak „#”. YouCanSubmitFile=You can upload the .zip file of module package from here: CurrentVersion=Aktualna wersja Dolibarr CallUpdatePage=Browse to the page that updates the database structure and data: %s. @@ -446,12 +446,13 @@ LinkToTestClickToDial=Wprowadź numer telefonu, aby zobaczyć link do przetestow RefreshPhoneLink=Odśwież link LinkToTest=Klikalny link wygenerowany dla użytkownika% s (kliknij numer telefonu, aby sprawdzić) KeepEmptyToUseDefault=Zostaw puste by używać domyślnych wartości +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Domyślny link SetAsDefault=Ustaw jako domyślny ValueOverwrittenByUserSetup=Uwaga, ta wartość może być zastąpiona przez specyficzną konfiguracją użytkownika (każdy użytkownik może ustawić własny clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Masowe generowanie kodów lub reset kodów kreskowych dla usług i produktów CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Generuj wartość dla kolejnych %s pustych wpisów @@ -541,8 +542,8 @@ Module54Name=Kontrakty/Subskrypcje Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Kody kreskowe Module55Desc=Kody kreskowe zarządzania -Module56Name=Telefonia -Module56Desc=Integracja telefonii +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -953,28 +954,28 @@ DictionaryCountry=Kraje DictionaryCurrency=Waluty DictionaryCivility=Honorific titles DictionaryActions=Typy zdarzeń w agendzie -DictionarySocialContributions=Types of social or fiscal taxes +DictionarySocialContributions=Rodzaje obciążeń społecznych lub podatków DictionaryVAT=Stawki VAT lub stawki podatku od sprzedaży DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms -DictionaryPaymentModes=Payment Modes +DictionaryPaymentConditions=Zasady płatności +DictionaryPaymentModes=Tryby płatności DictionaryTypeContact=Typy kontaktu/adresu -DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryTypeOfContainer=Witryna internetowa - zbiór powiązanych ze sobą stron internetowych DictionaryEcotaxe=Podatku ekologicznego (WEEE) DictionaryPaperFormat=Formaty papieru DictionaryFormatCards=Card formats DictionaryFees=Expense report - Types of expense report lines DictionarySendingMethods=Metody wysyłki -DictionaryStaff=Number of Employees +DictionaryStaff=Liczba zatrudnionych DictionaryAvailability=Opóźnienie dostawy DictionaryOrderMethods=Sposoby zamawiania DictionarySource=Pochodzenie wniosków / zleceń DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modele dla planu kont DictionaryAccountancyJournal=Dzienniki księgowe -DictionaryEMailTemplates=Email Templates +DictionaryEMailTemplates=Szablony wiadomości e-mail DictionaryUnits=Units -DictionaryMeasuringUnits=Measuring Units +DictionaryMeasuringUnits=Jednostki pomiarowe DictionarySocialNetworks=Sieci społecznościowe DictionaryProspectStatus=Stan oferty DictionaryHolidayTypes=Types of leave @@ -983,10 +984,10 @@ DictionaryExpenseTaxCat=Expense report - Transportation categories DictionaryExpenseTaxRange=Expense report - Range by transportation category SetupSaved=Konfiguracja zapisana SetupNotSaved=Ustawienia nie zapisane -BackToModuleList=Back to Module list -BackToDictionaryList=Back to Dictionaries list +BackToModuleList=Powrót do listy modułów +BackToDictionaryList=Powrót do listy słowników TypeOfRevenueStamp=Type of tax stamp -VATManagement=Sales Tax Management +VATManagement=Zarządzanie podatkami od sprzedaży VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
In any other case the proposed default is Sales tax=0. End of rule. VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. @@ -1145,6 +1146,7 @@ AvailableModules=Dostępne aplikacje / moduły ToActivateModule=Aby uaktywnić modules, przejdź na konfigurację Powierzchnia. SessionTimeOut=Limit czasu dla sesji 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. TriggersAvailable=Dostępne wyzwala TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Wyzwalacze w tym pliku są wyłączone przez NORUN-suffix w ich imieniu. @@ -1262,6 +1264,7 @@ FieldEdition=Edycja pola% s FillThisOnlyIfRequired=Przykład: +2 (wypełnić tylko w przypadku strefy czasowej w stosunku problemy są doświadczeni) GetBarCode=Pobierz kod kreskowy NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Wróć hasło generowane zgodnie z wewnętrznym Dolibarr algorytmu: 8 znaków zawierających cyfry i znaki udostępniony w małe. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1698,30 +1701,30 @@ CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point CashDeskIdWareHouse=Życie i ograniczyć magazyn użyć do spadku magazynie 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. +CashDeskYouDidNotDisableStockDecease=Nie wyłączono zmniejszania zapasów podczas dokonywania sprzedaży w punkcie sprzedaży. Dlatego wymagany jest magazyn. +CashDeskForceDecreaseStockLabel=Wymuszono zmniejszenie zapasów dla produktów seryjnych. CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Kod klucza dla „Enter” zdefiniowany w czytniku kodów kreskowych (Przykład: 13) ##### Bookmark ##### BookmarkSetup=Zakładka konfiguracji modułu -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +BookmarkDesc=Ten moduł pozwala zarządzać zakładkami. Możesz także dodawać skróty do dowolnych stron Dolibarr lub zewnętrznych stron internetowych w lewym menu. NbOfBoomarkToShow=Maksymalna liczba zakładek, aby pokazać, w lewym menu ##### WebServices ##### WebServicesSetup=WebServices konfiguracji modułu WebServicesDesc=Umożliwiając tym module Dolibarr stać się serwis serwera świadczenia różnorodnych usług internetowych. WSDLCanBeDownloadedHere=Hasło pliku WSDL świadczonych serviceses można pobrać tutaj -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=Klienci SOAP muszą wysyłać swoje żądania do punktu końcowego Dolibarr dostępnego pod adresem URL ##### API #### ApiSetup=API module setup ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. -ApiProductionMode=Enable production mode (this will activate use of a cache for services management) +ApiProductionMode=Włącz tryb produkcyjny (spowoduje to użycie pamięci podręcznej do zarządzania usługami) ApiExporerIs=Możesz przeglądać i testować API pod linkiem OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed ApiKey=Key for API -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +WarningAPIExplorerDisabled=Eksplorator API został wyłączony. Eksplorator API nie jest wymagany do świadczenia usług API. Jest to narzędzie dla programistów do znajdowania/testowania interfejsów API REST. Jeśli potrzebujesz tego narzędzia, przejdź do konfiguracji modułu API REST modułu, aby go aktywować. ##### Bank ##### BankSetupModule=Bank konfiguracji modułu -FreeLegalTextOnChequeReceipts=Free text on check receipts +FreeLegalTextOnChequeReceipts=Dowolny tekst na rachunkach czekowych BankOrderShow=Wyświetl rachunków bankowych dla krajów stosujących "Szczegółowe numer bankowy" BankOrderGlobal=Ogólny BankOrderGlobalDesc=Ogólna kolejność wyświetlania @@ -1731,15 +1734,15 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module ##### Multicompany ##### MultiCompanySetup=Firma Multi-Moduł konfiguracji ##### Suppliers ##### -SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of Purchase Order -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) -SuppliersInvoiceModel=Complete template of Vendor Invoice -SuppliersInvoiceNumberingModel=Vendor invoices numbering models -IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval +SuppliersSetup=Konfiguracja modułu Dostawcy +SuppliersCommandModel=Kompletny szablon zamówienia +SuppliersCommandModelMuscadet=Kompletny szablon zamówienia (stara implementacja szablonu cornas) +SuppliersInvoiceModel=Kompletny szablon faktury od dostawcy +SuppliersInvoiceNumberingModel=Modele numerowania faktur od dostawców +IfSetToYesDontForgetPermission=Dla wartości innej niż null, nie zapomnij udzielić uprawnień grupom lub użytkownikom, którzy mają realizować drugie zatwierdzanie ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP Maxmind konfiguracji modułu -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=Ścieżka do pliku bazy danych GeoIP firmy MaxMind z krajowymi lokalizacjami adresów IP.
Przykłady:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/Leo2 NoteOnPathLocation=Pamiętać, że dane państwo ip do pliku musi być wewnątrz katalogu PHP może odczytać (sprawdzenie konfiguracji PHP open_basedir i uprawnienia systemu plików). YouCanDownloadFreeDatFileTo=Możesz pobrać darmową wersję demo kraju GeoIP plik Maxmind w %s. YouCanDownloadAdvancedDatFileTo=Możesz także pobrać bardziej kompletna wersja, z aktualizacjami, kraju GeoIP plik Maxmind w %s. @@ -1750,7 +1753,7 @@ ProjectsSetup=Projekt instalacji modułu ProjectsModelModule=Wzór dokumentu projektu sprawozdania TasksNumberingModules=Zadania numeracji modułu TaskModelModule=Zadania raporty modelu dokumentu -UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
This may improve performance if you have a large number of projects, but it is less convenient. +UseSearchToSelectProject=Poczekaj z załadowaniem zawartości listy kombi Projekt do naciśnięcia klawisza.
Przy dużej liczbie projektów może to poprawić wydajność, ale jest mniej wygodne. ##### ECM (GED) ##### ##### Fiscal Year ##### AccountingPeriods=Okresy rozliczeniowe @@ -1771,141 +1774,142 @@ NoAmbiCaracAutoGeneration=Nie należy używać znaków wieloznacznych ("1", "L", SalariesSetup=Konfiguracja modułu wynagrodzenia SortOrder=Kolejność sortowania Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type +TypePaymentDesc=0: typ płatności odbiorcy, 1: typ płatności dostawcy, 2: typ płatności zarówno klientów, jak i dostawców IncludePath=Dołącz ścieżkę (zdefiniowane w zmiennej% s) ExpenseReportsSetup=Konfiguracja modułu Raporty Kosztów TemplatePDFExpenseReports=Szablony dokumentów w celu wygenerowania raportu wydatków dokument -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module +ExpenseReportsIkSetup=Konfiguracja modułu "Raporty wydatków" - indeks Millesa +ExpenseReportsRulesSetup=Konfiguracja modułu "Raporty wydatków" - Reguły +ExpenseReportNumberingModules=Moduł "Numerowanie raportów wydatków" NoModueToManageStockIncrease=Nie Moduł stanie zarządzać automatyczny wzrost akcji zostało aktywowane. Wzrost Zdjęcie zostanie zrobione tylko na ręczne wprowadzanie. -YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". -ListOfNotificationsPerUser=List of automatic notifications per user* -ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications -GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +YouMayFindNotificationsFeaturesIntoModuleNotification=Opcje powiadomień e-mail można znaleźć, włączając i konfigurując moduł „Powiadomienia”. +ListOfNotificationsPerUser=Lista automatycznych powiadomień na użytkownika* +ListOfNotificationsPerUserOrContact=Lista możliwych automatycznych powiadomień (o wydarzeniach biznesowych) dostępnych dla użytkownika* lub kontaktu** +ListOfFixedNotifications=Lista automatycznych stałych powiadomień +GoOntoUserCardToAddMore=Przejdź do zakładki „Powiadomienia” użytkownika, aby dodać lub usunąć powiadomienia dla użytkowników +GoOntoContactCardToAddMore=Przejdź do zakładki „Powiadomienia” strony trzeciej, aby dodać lub usunąć powiadomienia dotyczące kontaktów/adresów Threshold=Próg -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=Kreator do utworzenia pliku zrzutu bazy danych +BackupZipWizard=Kreator do utworzenia archiwum katalogu dokumentów SomethingMakeInstallFromWebNotPossible=Instalacja zewnętrznych modułów za pomocą interfejsu sieciowego nie jest możliwa z powodu następujących przyczyn: -SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. +SomethingMakeInstallFromWebNotPossible2=Z tego powodu, proces ulepszenia (upgrade) jest procesem ręcznym, przeprowadzanym jedynie przez użytkownika uprzywilejowanego. InstallModuleFromWebHasBeenDisabledByFile=Instalacja zewnętrznych modułów z poziomu aplikacji została wyłączona przez administratora. Musisz poprosić go o usunięcie pliku %s aby włączyć odpowiednią funkcję. -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=Instalowanie lub budowanie modułu zewnętrznego z poziomu Dolibarr wymaga zapisania plików modułu w katalogu %s. Dolibarr będzie przetwarzał ten katalog jeśli w pliku conf/conf.php będzie miał odpowiednie wpisy:
$dolibarr_main_url_root_alt='/ custom';
$dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) -TextTitleColor=Text color of Page title +HighlightLinesColor=Podświetl kolor linii, gdy mysz przesuwa się nad linią (użyj „ffffff”, aby nie podświetlać) +HighlightLinesChecked=Podświetl kolor linii, gdy ta jest zaznaczona (użyj „ffffff”, aby nie wyróżniać) +TextTitleColor=Kolor tekstu tytułu strony LinkColor=Kolor odnośników PressF5AfterChangingThis=Naciśnij CTRL+F5 na klawiaturze aby wyczyścić cache w przeglądarce po zmianie tej wartości, aby zobaczyć efekt tej zmiany -NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes +NotSupportedByAllThemes=Działa z podstawowymi motywami, ale może nie być obsługiwane przez motywy zewnętrzne BackgroundColor=Kolor tła TopMenuBackgroundColor=Kolor tła górnego menu TopMenuDisableImages=Ukryj obrazki górnego menu LeftMenuBackgroundColor=Kolor tła bocznego menu BackgroundTableTitleColor=Kolor tła nagłówka tabeli -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextColor=Kolor czcionki dla napisów w pasku tytułowym sekcji na stronie +BackgroundTableTitleTextlinkColor=Kolor czcionki dla odsyłaczy w pasku tytułowym sekcji na stronie BackgroundTableLineOddColor=Kolor tła pozostałych lini tabeli BackgroundTableLineEvenColor=Kolor tła dla równomiernych lini tabeli MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) NbAddedAutomatically=Number of days added to counters of users (automatically) each month EnterAnyCode=This field contains a reference to identify line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 +Enter0or1=Wpisz 0 lub 1 +UnicodeCurrency=Wpisz między nawiasami kwadratowymi wielkość dziesiętną Unicode reprezentującą symbol waluty. Na przykład: dla $ [36] - dla zł [122,322] - dla € wpisz [8364] +ColorFormat=Kolor RGB jest w formacie HEX, np .: FF0000 PositionIntoComboList=Position of line into combo lists SellTaxRate=Sale tax rate -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. -UrlTrackingDesc=If the provider or transport service 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="Tak" dla podatku VAT „Not Perceived but Recoverable” stosowanego w niektórych stanach Francji. Ustaw „Nie” dla wszelkich innych lokalizacji. +UrlTrackingDesc=Jeśli dostawca lub usługodawca transportowy oferuje stronę/witrynę internetową, aby sprawdzać status swoich przesyłek, możesz ją tu wpisać. Możesz też użyć klucza {TRACKID} w parametrach adresu URL, aby system zastąpił go numerem śledzenia wprowadzonym przez użytkownika na karcie przesyłki. +OpportunityPercent=Podczas tworzenia potencjalnej szansy zdefiniujesz szacunkową kwotę projektu / potencjalnej szansy. Zgodnie ze statusem potencjalnej szansy kwotę tę można pomnożyć przez tę stawkę, aby oszacować całkowitą kwotę, jaką wszystkie potencjalne potencjalne szanse wygenerują. Wartość jest procentem (od 0 do 100). TemplateForElement=This template record is dedicated to which element TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible to owner only +TemplateIsVisibleByOwnerOnly=Szablon widoczny tylko dla właściciela VisibleEverywhere=Widoczne wszędzie -VisibleNowhere=Visible nowhere +VisibleNowhere=Wszędzie niewidoczny FixTZ=Strefa czasowa fix FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) ExpectedChecksum=Expected Checksum CurrentChecksum=Current Checksum -ExpectedSize=Expected size -CurrentSize=Current size -ForcedConstants=Required constant values +ExpectedSize=Oczekiwany rozmiar +CurrentSize=Obecny rozmiar +ForcedConstants=Wymagane stałe wartości MailToSendProposal=Oferty klientów -MailToSendOrder=Sales orders +MailToSendOrder=Zlecenia sprzedaży MailToSendInvoice=Faktury klienta MailToSendShipment=Transporty MailToSendIntervention=Interwencje -MailToSendSupplierRequestForQuotation=Quotation request +MailToSendSupplierRequestForQuotation=Zapytanie ofertowe MailToSendSupplierOrder=Zamówienia zakupowe MailToSendSupplierInvoice=Faktury dostawcy MailToSendContract=Kontrakty MailToThirdparty=Kontrahenci MailToMember=Członkowie MailToUser=Użytkownicy -MailToProject=Projects page +MailToProject=Strona projektów +MailToTicket=Tickets ByDefaultInList=Pokaż domyślnie w widoku listy YouUseLastStableVersion=Używasz ostatniej stabilnej wersji TitleExampleForMajorRelease=Przykład wiadomości można użyć, aby ogłosić to główne wydanie (prosimy używać go na swoich stronach internetowych) TitleExampleForMaintenanceRelease=Przykład wiadomości można użyć, aby ogłosić wydanie konserwacji (prosimy używać go na swoich stronach internetowych) ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s jest dostępny. Wersja %s jest głównym wydaniem z dużą ilością nowych funkcji dla użytkowników i deweloperów. Możesz ją pobrać na stronie https://www.dolibarr.org (podkatalog Wersje stabilne). Pełna lista zmian dostępna jest w ChangeLog. -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=System ERP i CRM Dolibarr %s jest dostępny. Wersja %s jest wersją serwisową. Wersja serwisowa nie wprowadza nowych funkcji ani zmian w bazie danych. Zawiera jedynie poprawki błędów. Wszystkim użytkownikom zalecamy uaktualnienie do tej wersji. Możesz pobrać ją z obszaru pobierania portalu https://www.dolibarr.org (Downloads > Stable versions). Możesz przeczytać ChangeLog, aby uzyskać pełną listę zmian. +MultiPriceRuleDesc=Przy włączonej opcji „Kilka poziomów cen za produkt/usługę”, możesz zdefiniować różne ceny (jeden na poziom cen) dla każdego produktu. Aby zaoszczędzić swój czas, możesz wprowadzić regułę automatycznego obliczania ceny dla każdego poziomu w oparciu o cenę pierwszego poziomu, więc będziesz musiał wprowadzić cenę tylko dla pierwszego poziomu dla każdego produktu. Ta strona została zaprojektowana w celu zaoszczędzenia czasu, ale jest przydatna tylko wtedy, gdy ceny dla każdego poziomu są w stosunku do pierwszego poziomu. W większości przypadków możesz zignorować tę stronę. ModelModulesProduct=Szablon dokumentu produktu -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. -SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) +ToGenerateCodeDefineAutomaticRuleFirst=Aby móc automatycznie generować kody, musisz najpierw zdefiniować menedżera, aby automatycznie zdefiniował numer kodu kreskowego. +SeeSubstitutionVars=Spójrz na *, aby uzyskać listę możliwych zmiennych podstawienia +SeeChangeLog=Zobacz plik ChangeLog (tylko w języku angielskim) AllPublishers=Wszyscy wydawcy UnknownPublishers=Nieznani wydawcy AddRemoveTabs=Dodaj lub usuń zakładki -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data +AddDataTables=Dodaj tabele obiektów +AddDictionaries=Dodaj tabele słowników +AddData=Dodaj dane obiektów lub słowników AddBoxes=Dodaj widgety AddSheduledJobs=Dodaj zaplanowane zadania -AddHooks=Add hooks -AddTriggers=Add triggers -AddMenus=Add menus +AddHooks=Dodaj haczyki +AddTriggers=Dodaj wyzwalacze +AddMenus=Dodaj menu AddPermissions=Dodaj uprawnienia AddExportProfiles=Dodaj eksportowane profile AddImportProfiles=Dodaj importowane profile -AddOtherPagesOrServices=Add other pages or services -AddModels=Add document or numbering templates -AddSubstitutions=Add keys substitutions +AddOtherPagesOrServices=Dodaj inne strony lub usługi +AddModels=Dodaj szablony dokumentów lub numeracji +AddSubstitutions=Dodaj podstawienia kluczy DetectionNotPossible=Wykrycie niemożliwe -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=Adres URL, aby uzyskać token do korzystania z interfejsu API (po otrzymaniu tokena jest on zapisywany w tabeli użytkowników bazy danych i musi zostać podany przy każdym wywołaniu interfejsu API) ListOfAvailableAPIs=Lista dostępnych API -activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. -UserHasNoPermissions=This user has no permissions defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") -BaseCurrency=Reference currency of the company (go into setup of company to change this) -WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. -WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. -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 -NothingToSetup=There is no specific setup required for this module. -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -RemoveSpecialChars=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed +activateModuleDependNotSatisfied=Moduł „%s” zależy od modułu „%s”, którego brakuje, dlatego moduł „%1$s” może działać niepoprawnie. Zainstaluj moduł „%2$s” lub wyłącz moduł „%1$s”, jeśli nie chcesz niespodzianek +CommandIsNotInsideAllowedCommands=Polecenia, które próbujesz uruchomić, nie ma na liście dozwolonych poleceń zdefiniowanych w parametrze $ dolibarr_main_restrict_os_commands w pliku conf.php. +LandingPage=Strona wstępna +SamePriceAlsoForSharedCompanies=Jeśli korzystasz z modułu MultiCompany, z wyborem „Pojedyncza cena”, cena będzie również taka sama dla wszystkich firm, jeśli produkty będą dzielone między środowiskami +ModuleEnabledAdminMustCheckRights=Moduł został aktywowany. Uprawnienia do aktywnych modułów są automatycznie przyznawane administratorom systemu. Jeśli trzeba, uprawnienia można ręcznie przyznać innym użytkownikom lub grupom. +UserHasNoPermissions=Ten użytkownik nie ma zdefiniowanych uprawnień +TypeCdr=Użyj „Brak”, jeśli terminem płatności jest data wystawienia faktury plus delta w dniach (delta to pole „%s”)
Użyj „Na koniec miesiąca”, jeśli po delcie data musi zostać przedłużona do końca miesiąca (+ opcjonalny „%s” w dniach)
Użyj „Bieżący/Następny”, aby data terminu płatności była pierwszą N-tego miesiąca po delcie (delta to pole „%s”, N jest przechowywane w polu „%s”) +BaseCurrency=Waluta bazowa w firmie (przejdź do Konfiguracja > Firma/Organizacja, aby to zmienić) +WarningNoteModuleInvoiceForFrenchLaw=Ten moduł %s jest zgodny z francuskimi przepisami (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Ten moduł %s jest zgodny z francuskimi przepisami (Loi Finance 2016), ponieważ moduł Dzienniki Nieodwracalne jest aktywowany automatycznie. +WarningInstallationMayBecomeNotCompliantWithLaw=Próbujesz zainstalować moduł %s, który jest modułem zewnętrznym. Aktywując go zaufasz jego wydawcy, okażesz pewność, że moduł nie wpłynie negatywnie na zachowanie Twojej aplikacji oraz, że jest zgodny z przepisami obowiązującymi w Twoim kraju (%s). Jeśli moduł wprowadzi nielegalną funkcję, staniesz się odpowiedzialny za korzystanie z nielegalnego oprogramowania. +MAIN_PDF_MARGIN_LEFT=Lewy margines w pliku PDF +MAIN_PDF_MARGIN_RIGHT=Prawy margines w pliku PDF +MAIN_PDF_MARGIN_TOP=Górny margines w pliku PDF +MAIN_PDF_MARGIN_BOTTOM=Dolny margines w pliku PDF +NothingToSetup=Dla tego modułu nie jest wymagana żadna konkretna konfiguracja. +SetToYesIfGroupIsComputationOfOtherGroups=Ustaw na Tak, jeśli grupa ta pochodzi z przetworzenia innych grup +EnterCalculationRuleIfPreviousFieldIsYes=Wprowadź regułę obliczania, jeśli poprzednie pole było ustawione na Tak (na przykład „CODEGRP1 + CODEGRP2”) +SeveralLangugeVariatFound=Znaleziono kilka wariantów językowych +RemoveSpecialChars=Usuń znaki specjalne +COMPANY_AQUARIUM_CLEAN_REGEX=Filtr Regex do czyszczenia wartości (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_DIGITARIA_CLEAN_REGEX=Filtr Regex do czyszczenia wartości (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Duplikat jest niedozwolony GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here HelpOnTooltip=Help text to show on tooltip -HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form -YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
%s +HelpOnTooltipDesc=Umieść tutaj tekst lub klucz do tłumaczenia, aby tekst był wyświetlany w etykiecie narzędzia, gdy to pole pojawi się w formularzu +YouCanDeleteFileOnServerWith=Możesz usunąć ten plik na serwerze za pomocą wiersza poleceń:
%s ChartLoaded=Chart of account loaded -SocialNetworkSetup=Setup of module Social Networks -EnableFeatureFor=Enable features for %s +SocialNetworkSetup=Konfiguracja modułu Sieci Społecznościowe +EnableFeatureFor=Włącz funkcje dla %s VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. @@ -1996,7 +2000,8 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" +JumpToBoxes=Przejdź do Konfiguracja -> Widżety +MeasuringUnitTypeDesc=Użyj tu wartości takich jak „rozmiar”, „powierzchnia”, „objętość”, „waga”, „czas” 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. diff --git a/htdocs/langs/pl_PL/agenda.lang b/htdocs/langs/pl_PL/agenda.lang index 91489c1b040..e4615471ef1 100644 --- a/htdocs/langs/pl_PL/agenda.lang +++ b/htdocs/langs/pl_PL/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Oferta usunięta OrderDeleted=Zamówienie usunięte InvoiceDeleted=Faktura usunięta +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Produkt %s utworzony PRODUCT_MODIFYInDolibarr=Produkt %s zmodyfikowany PRODUCT_DELETEInDolibarr=Produkt %s usunięty HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Raport kosztów %s utworzony EXPENSE_REPORT_VALIDATEInDolibarr=Raport kosztów %s zatwierdzony @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Szablon dokumentu dla zdarzenia DateActionStart=Data rozpoczęcia @@ -151,3 +154,6 @@ EveryMonth=Każdego miesiąca DayOfMonth=Dzień miesiąca DayOfWeek=Dzień tygodnia DateStartPlusOne=Data rozpoczęcia + 1 godzina +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang index 1f734d6f871..05d5f2aef6b 100644 --- a/htdocs/langs/pl_PL/banks.lang +++ b/htdocs/langs/pl_PL/banks.lang @@ -35,8 +35,10 @@ SwiftValid=Ważny BIC/SWIFT SwiftVNotalid=Nie ważny BIC/SWIFT IbanValid=Ważny BAN IbanNotValid=Nie ważny BAN -StandingOrders=Zamówienia polecenia zapłaty +StandingOrders=Direct debit orders StandingOrder=Zamówienie polecenia zapłaty +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Wyciąg z konta AccountStatementShort=Wyciąg AccountStatements=Wyciągi z konta diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index 9e1721d67a2..de28558a0f0 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Rabat oferowane (płatność przed kadencji) EscompteOfferedShort=Rabat SendBillRef=Złożenie faktury% s SendReminderBillRef=Złożenie faktury% s (przypomnienie) -StandingOrders=Direct debit orders -StandingOrder=Zamówienie polecenia zapłaty NoDraftBills=Brak szkiców faktur NoOtherDraftBills=Brak innych szkiców faktur NoDraftInvoices=Brak szkicu dla faktur @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Faktura usunięta BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/pl_PL/cashdesk.lang b/htdocs/langs/pl_PL/cashdesk.lang index 364ed5404c1..c434484d09b 100644 --- a/htdocs/langs/pl_PL/cashdesk.lang +++ b/htdocs/langs/pl_PL/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/pl_PL/categories.lang b/htdocs/langs/pl_PL/categories.lang index 0f8b9b1dfbb..8f7a1a2bb8c 100644 --- a/htdocs/langs/pl_PL/categories.lang +++ b/htdocs/langs/pl_PL/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Tagi / kategorie kont ProjectsCategoriesShort=Tagi / kategorie projektów UsersCategoriesShort=Znaczniki/kategorie użytkowników StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ta kategoria nie zawiera żadnych produktów. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ta kategoria nie zawiera żadnych klientów. -ThisCategoryHasNoMember=Ta kategoria nie zawiera żadnych członków. -ThisCategoryHasNoContact=Ta kategoria nie zawiera żadnego kontaktu. -ThisCategoryHasNoAccount=Ta kategoria nie zawiera żadnego konta. -ThisCategoryHasNoProject=Ta kategoria nie zawiera żadnych projektów. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag / ID kategorii CatSupList=List of vendor tags/categories CatCusList=Lista klientów / perspektywa tagów / kategorii @@ -92,4 +86,5 @@ ByDefaultInList=Domyśłnie na liście ChooseCategory=Wybrane kategorie StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang index a20144ad9b0..4eee2f0ecb7 100644 --- a/htdocs/langs/pl_PL/companies.lang +++ b/htdocs/langs/pl_PL/companies.lang @@ -5,13 +5,13 @@ SelectThirdParty=Wybierz kontrahenta ConfirmDeleteCompany=Czy jesteś pewien, ze chcesz usunąć tą firmę i wszystkie zawarte informacje? DeleteContact=Usuń kontakt/adres ConfirmDeleteContact=Czy jesteś pewien, ze chcesz usunąć ten kontakt i wszystkie zawarte informacje? -MenuNewThirdParty=New Third Party -MenuNewCustomer=New Customer +MenuNewThirdParty=Nowy kontrahent +MenuNewCustomer=Nowy klient MenuNewProspect=New Prospect -MenuNewSupplier=New Vendor +MenuNewSupplier=Nowy sprzedawca MenuNewPrivateIndividual=Nowa osoba prywatna -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New Third Party (prospect, customer, vendor) +NewCompany=Nowa firma (potencjalny klient, klient, sprzedawca) +NewThirdParty=Nowy kontrahent (potencjalny klient, klient, sprzedawca) CreateDolibarrThirdPartySupplier=Stwórz kontrahenta (dostawcę) CreateThirdPartyOnly=Utwórz kontrahenta CreateThirdPartyAndContact=Utwórz kontrahenta i potomny kontakt @@ -19,15 +19,14 @@ ProspectionArea=Obszar potencjalnych klientów IdThirdParty=ID kontrahenta IdCompany=ID Firmy IdContact=ID Kontaktu -Contacts=Kontakty/adresy -ThirdPartyContacts=Third-party contacts -ThirdPartyContact=Third-party contact/address +ThirdPartyContacts=Kontakty kontrahenta +ThirdPartyContact=Kontakt/Adres kontrahenta Company=Firma CompanyName=Nazwa firmy AliasNames=Alias (handlowy, znak firmowy, ...) AliasNameShort=Alias Name Companies=Firmy -CountryIsInEEC=Country is inside the European Economic Community +CountryIsInEEC=Państwo należy do Europejskiej Wspólnoty Gospodarczej PriceFormatInCurrentLanguage=Price display format in the current language and currency ThirdPartyName=Third-party name ThirdPartyEmail=Third-party email @@ -78,7 +77,7 @@ Zip=Kod pocztowy Town=Miasto Web=Strona www Poste= Stanowisko -DefaultLang=Language default +DefaultLang=Domyślny język 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=Nie jest płatnikiem VAT @@ -263,8 +262,8 @@ ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=VAT ID -VATIntraShort=VAT ID +VATIntra=Nr NIP +VATIntraShort=Nr NIP VATIntraSyntaxIsValid=Składnia jest poprawna VATReturn=Zwrot VAT ProspectCustomer=Perspektywa/Klient @@ -292,13 +291,14 @@ CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) DiscountNone=Żaden -Vendor=Vendor -Supplier=Vendor +Vendor=Sprzedawca +Supplier=Sprzedawca AddContact=Stwórz konktakt AddContactAddress=Stwórz kontakt/adres EditContact=Edytuj kontakt EditContactAddress=Edytuj kontakt / adres -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakty/adresy ContactId=Identyfikator kontaktu ContactsAddresses=Kontakty / Adresy FromContactName=Nazwa: @@ -310,10 +310,10 @@ AddThirdParty=Dodaj kontrahenta DeleteACompany=Usuń firmę PersonalInformations=Prywatne dane osobowe AccountancyCode=Konto księgowe -CustomerCode=Customer Code -SupplierCode=Vendor Code -CustomerCodeShort=Customer Code -SupplierCodeShort=Vendor Code +CustomerCode=Kod klienta +SupplierCode=Kod sprzedawcy +CustomerCodeShort=Kod klienta +SupplierCodeShort=Kod sprzedawcy CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Wymagane, jeżeli Kontrahent jest klientem lub potencjalnym klientem @@ -324,8 +324,9 @@ ProspectToContact=Potencjalny Klient do kontaktu CompanyDeleted=Firma " %s" usunięta z bazy danych. ListOfContacts=Lista kontaktów/adresów ListOfContactsAddresses=Lista kontaktów/adresów -ListOfThirdParties=List of Third Parties -ShowContact=Pokaż kontakt +ListOfThirdParties=Lista kontrahentów +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Wszystkie (bez filtra) ContactType=Typ kontaktu ContactForOrders=Kontakt dla zamówienia @@ -339,7 +340,7 @@ NoContactForAnyProposal=Ten kontakt nie jest kontaktem dla żadnej oferty handlo NoContactForAnyContract=Ten kontakt nie jest kontaktem dla żadnego kontraktu NoContactForAnyInvoice=Ten kontakt nie jest kontaktem dla żadnej faktury NewContact=Nowy kontakt -NewContactAddress=New Contact/Address +NewContactAddress=Nowy Kontakt/Adres MyContacts=Moje kontakty Capital=Kapitał CapitalOf=Kapitał %s @@ -353,7 +354,7 @@ VATIntraManualCheck=You can also check manually on the European Commission websi ErrorVATCheckMS_UNAVAILABLE=Brak możliwości sprawdzenia. Usługa nie jest dostarczana dla wybranego regionu (%s). NorProspectNorCustomer=Not prospect, nor customer JuridicalStatus=Legal Entity Type -Staff=Zatrudnionych +Staff=Pracownicy ProspectLevelShort=Potencjał ProspectLevel=Potencjał potencjalnego klienta ContactPrivate=Prywatne @@ -411,20 +412,20 @@ AllocateCommercial=Przypisać do przedstawiciela Organization=Organizacja FiscalYearInformation=Fiscal Year FiscalMonthStart=Pierwszy miesiąc roku podatkowego -SocialNetworksInformation=Social networks -SocialNetworksFacebookURL=Facebook URL -SocialNetworksTwitterURL=Twitter URL -SocialNetworksLinkedinURL=Linkedin URL -SocialNetworksInstagramURL=Instagram URL -SocialNetworksYoutubeURL=Youtube URL -SocialNetworksGithubURL=Github URL +SocialNetworksInformation=Media społecznościowe +SocialNetworksFacebookURL=Facebook +SocialNetworksTwitterURL=Twitter +SocialNetworksLinkedinURL=Linkedin +SocialNetworksInstagramURL=Instagram +SocialNetworksYoutubeURL=Youtube +SocialNetworksGithubURL=Github YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. -YouMustCreateContactFirst=Żeby dodać powiadomienia email, najpierw musisz określić kontakty z ważnymi adresami email dla kontrahentów -ListSuppliersShort=List of Vendors +YouMustCreateContactFirst=Żeby dodać powiadomienia email, najpierw musisz określić kontakty z poprawnymi adresami email dla kontrahentów +ListSuppliersShort=Lista sprzedawców ListProspectsShort=List of Prospects -ListCustomersShort=List of Customers +ListCustomersShort=Lista klientów ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Otwarte ActivityCeased=Zamknięte @@ -448,10 +449,10 @@ ErrorThirdpartiesMerge=There was an error when deleting the third parties. Pleas NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested KeepEmptyIfGenericAddress=Keep this field empty if this address is a generic address #Imports -PaymentTypeCustomer=Payment Type - Customer -PaymentTermsCustomer=Payment Terms - Customer -PaymentTypeSupplier=Payment Type - Vendor -PaymentTermsSupplier=Payment Term - Vendor -PaymentTypeBoth=Payment Type - Customer and Vendor -MulticurrencyUsed=Use Multicurrency +PaymentTypeCustomer=Typ płatności - Klient +PaymentTermsCustomer=Warunki płatności - Klient +PaymentTypeSupplier=Typ płatności - Sprzedawca +PaymentTermsSupplier=Warunki płatności - Sprzedawca +PaymentTypeBoth=Typ płatności - Klient i Sprzedawca +MulticurrencyUsed=Użyj wielowalutowości MulticurrencyCurrency=Waluta diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang index 7782b651a07..06be5903484 100644 --- a/htdocs/langs/pl_PL/errors.lang +++ b/htdocs/langs/pl_PL/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/pl_PL/hrm.lang b/htdocs/langs/pl_PL/hrm.lang index 4d702bb81fa..a98f73bcb23 100644 --- a/htdocs/langs/pl_PL/hrm.lang +++ b/htdocs/langs/pl_PL/hrm.lang @@ -5,12 +5,13 @@ Establishments=Kierujących Establishment=Kierownictwo NewEstablishment=Nowe kierownictwo DeleteEstablishment=Usuń kierownictwo -ConfirmDeleteEstablishment=Czy na pewno chcesz usunąć to przedsiębiorstwo? +ConfirmDeleteEstablishment=Jesteś pewien, że chcesz usunąć to przedsiębiorstwo? OpenEtablishment=Otwórz kierownictwo CloseEtablishment=Zakończ kierownictwo # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HR - Lisa departamentów -DictionaryFunction=HR - Lista funkcji +DictionaryFunction=HRM - Job positions # Module Employees=Zatrudnionych Employee=Pracownik diff --git a/htdocs/langs/pl_PL/install.lang b/htdocs/langs/pl_PL/install.lang index 0a10dd12033..5d9ffec4e50 100644 --- a/htdocs/langs/pl_PL/install.lang +++ b/htdocs/langs/pl_PL/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index 8842026e3aa..fbcd7ee2879 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Szablon niedostępny dla tego typu wiadomości email AvailableVariables=Dostępne zmienne substytucji NoTranslation=Brak tłumaczenia Translation=Tłumaczenie -EmptySearchString=Wpisz niepusty ciąg do wyszukiwania +EmptySearchString=Enter non empty search criterias NoRecordFound=Rekord nie został znaleziony. NoRecordDeleted=Brak usuniętych rekordów NotEnoughDataYet=Za mało danych @@ -187,6 +187,8 @@ ShowCardHere=Pokaż kartę Search=Wyszukaj SearchOf=Szukaj SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Aktualny Approve=Zatwierdź Disapprove=Potępiać @@ -426,6 +428,7 @@ Modules=Moduły/Aplikacje Option=Opcja List=Lista FullList=Pełna lista +FullConversation=Full conversation Statistics=Statystyki OtherStatistics=Inne statystyki Status=Stan @@ -663,6 +666,7 @@ Owner=Właściciel FollowingConstantsWillBeSubstituted=Kolejna zawartość będzie zastąpiona wartością z korespondencji. Refresh=Odśwież BackToList=Powrót do listy +BackToTree=Back to tree GoBack=Wróć CanBeModifiedIfOk=Mogą być zmienione jeśli ważne CanBeModifiedIfKo=Mogą być zmienione, jeśli nie ważne @@ -839,6 +843,7 @@ Sincerely=Z poważaniem ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Usuń linię ConfirmDeleteLine=Czy jesteś pewien, że chcesz usunąć tą linię? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Na potrzeby generowania dokumentów nie było dostępnych plików PDF TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Nie wybrano wpisu @@ -953,12 +958,13 @@ SearchIntoMembers=Członkowie SearchIntoUsers=Użytkownicy SearchIntoProductsOrServices=Produkty lub usługi SearchIntoProjects=Projekty +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Zadania SearchIntoCustomerInvoices=Faktury klienta SearchIntoSupplierInvoices=Faktury dostawcy -SearchIntoCustomerOrders=Sales orders +SearchIntoCustomerOrders=Zlecenia sprzedaży SearchIntoSupplierOrders=Zamówienia zakupowe -SearchIntoCustomerProposals=Oferty klientów +SearchIntoCustomerProposals=Oferty komercyjne SearchIntoSupplierProposals=Propozycje dostawcy SearchIntoInterventions=Interwencje SearchIntoContracts=Kontrakty @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/pl_PL/modulebuilder.lang b/htdocs/langs/pl_PL/modulebuilder.lang index c8761c676dc..d9d1d794c77 100644 --- a/htdocs/langs/pl_PL/modulebuilder.lang +++ b/htdocs/langs/pl_PL/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Strefa niebezpieczna BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Długi opis EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/pl_PL/mrp.lang b/htdocs/langs/pl_PL/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/pl_PL/mrp.lang +++ b/htdocs/langs/pl_PL/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index b496de9d07e..b8854d61787 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -85,8 +85,8 @@ MaxSize=Maksymalny rozmiar AttachANewFile=Załącz nowy plik / dokument LinkedObject=Związany obiektu NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index 188bfd5ff09..1f7215d547e 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=Ostatnie %s zmodyfikowanych produktów / usług +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Ostatnie %s zarejestrowanych produktów LastRecordedServices=Ostatnie %s zarejestrowanych usług CardProduct0=Produkt @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Notatka (nie widoczna na fakturach, ofertach...) ServiceLimitedDuration=Jeśli produkt jest usługą z ograniczonym czasem trwania: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Ilość cen +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Liczba produktów tworzących ten produkt wirtualny diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index 901ef507521..b7c76780a90 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Brak właściciela tego prywatnego projektu AffectedTo=Przypisane do -CantRemoveProject=Ten projekt nie może zostać usunięty dopóki inne obiekty się odwołują (faktury, zamówienia lub innych). Zobacz odsyłających tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Sprawdź projet ConfirmValidateProject=Czy zatwierdzić ten projekt? CloseAProject=Zamknij Projekt @@ -265,3 +265,4 @@ NewInvoice=Nowa faktura OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/pl_PL/receptions.lang b/htdocs/langs/pl_PL/receptions.lang index c57de4ca1fe..653fd411d63 100644 --- a/htdocs/langs/pl_PL/receptions.lang +++ b/htdocs/langs/pl_PL/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang index 98db8675c53..4a7f162cb3a 100644 --- a/htdocs/langs/pl_PL/stocks.lang +++ b/htdocs/langs/pl_PL/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Magazyny wartości UserWarehouseAutoCreate=Utwórz użytkownika dla magazynu kiedy tworzysz użytkownika AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Domyślny magazyn +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Wysłana ilość QtyDispatchedShort=Ilość wysłana @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Magazyn% s zostaną wykorzystane do zmniejszeni WarehouseForStockIncrease=Magazyn% s zostaną wykorzystane do zwiększenia magazynie ForThisWarehouse=W tym magazynie ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Uzupełnienie NbOfProductBeforePeriod=Ilość produktów w magazynie% s przed wybrany okres (<% s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/pl_PL/ticket.lang b/htdocs/langs/pl_PL/ticket.lang index d1ef7d013a4..ed3cb9d87df 100644 --- a/htdocs/langs/pl_PL/ticket.lang +++ b/htdocs/langs/pl_PL/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupa TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Bilet - strona główna +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang index d74de4c3978..5f058000d6d 100644 --- a/htdocs/langs/pl_PL/website.lang +++ b/htdocs/langs/pl_PL/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Plik robota (robots.txt) WEBSITE_HTACCESS=Plik .htaccess witryny WEBSITE_MANIFEST_JSON=Plik manifest.json witryny WEBSITE_README=Plik README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Tu wprowadź metadane lub informacje licencyjne, które wypełnią plik README.md. Przy rozprowadzaniu Twej witryny jako szablonu, plik ten zostanie dołączony do pakietu tego szablonu. HtmlHeaderPage=Nagłówek HTML (tylko dla tej strony) PageNameAliasHelp=Nazwa lub alias strony.
Ten alias służy również do tworzenia adresu URL wspierającego SEO, gdy witrynę obsługuje web serwer (taki jak Apacke, Nginx, ...). Użyj przycisku „%s”, aby edytować ten alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Tryb wykonywania „zawartości dynamicznej” jest %s GlobalCSSorJS=Globalny plik CSS/JS/Header witryny BackToHomePage=Powrót do strony głównej... TranslationLinks=Linki do tłumaczeń -YouTryToAccessToAFileThatIsNotAWebsitePage=Próbujesz uzyskać dostęp do strony, która nie jest stroną witryny +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Aby uzyskać dobre praktyki SEO, użyj tekstu od 5 do 70 znaków MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/pl_PL/withdrawals.lang b/htdocs/langs/pl_PL/withdrawals.lang index fa420bcd025..7c9918dc526 100644 --- a/htdocs/langs/pl_PL/withdrawals.lang +++ b/htdocs/langs/pl_PL/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Do procesu +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Zamówienie polecenia zapłaty +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Jeszcze nie możliwe. Wycofaj stan musi być ustawiony na "dobro", zanim uzna odrzucić na konkretnych liniach. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Kwota do wycofania -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Odrzucone LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Tryb transmisji Send=Wysłać Lines=Linie StandingOrderReject=Problem odrzucenia +WithdrawsRefused=Direct debit refused WithdrawalRefused=Wypłaty Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Czy na pewno chcesz wprowadzić odrzucenie wycofania dla społeczeństwa RefusedData=Od odrzucenia RefusedReason=Powodem odrzucenia @@ -58,6 +76,8 @@ StatusMotif8=Inny powód CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Tylko biuro CreateBanque=Tylko bank OrderWaiting=Oczekiwania na leczenie @@ -67,6 +87,7 @@ NumeroNationalEmetter=Krajowy numer nadajnika WithBankUsingRIB=Na rachunkach bankowych z wykorzystaniem RIB WithBankUsingBANBIC=Na rachunkach bankowych z wykorzystaniem IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kredyt na WithdrawalFileNotCapable=Nie można wygenerować plik paragon wycofania dla danego kraju:% s (Twój kraj nie jest obsługiwany) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Plik Wycofanie SetToStatusSent=Ustaw status "Plik Wysłane" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statystyki według stanu linii -RUM=Unique Mandate Reference (UMR) +RUM=RUM DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang index b265f4103a4..0256ca74930 100644 --- a/htdocs/langs/pt_BR/accountancy.lang +++ b/htdocs/langs/pt_BR/accountancy.lang @@ -35,8 +35,8 @@ AccountancyAreaDescActionOnce=As ações a seguir são normalmente realizadas ap AccountancyAreaDescActionOnceBis=Os próximos passos devem ser feitos para economizar tempo no futuro, sugerindo-lhe a conta de contabilidade padrão correta ao fazer a reviravolta (gravação de registros em Livros de Registros e contabilidade geral) AccountancyAreaDescActionFreq=As ações a seguir são normalmente executadas a cada mês, semana ou dia para grandes empresas... AccountancyAreaDescJournalSetup=PASSO %s: Crie ou verifique o conteúdo da sua lista de diários a partir do menu %s -AccountancyAreaDescChartModel=ETAPA %s: Criar um modelo de gráfico de conta a partir do menu %s -AccountancyAreaDescChart=ETAPA %s: Criar ou verificar o conteúdo do seu gráfico de conta a partir do menu %s +AccountancyAreaDescChartModel=ETAPA %s: Verifique se existe um modelo de plano de contas ou crie um no menu %s +AccountancyAreaDescChart=PASSO %s: Selecione e | ou conclua seu plano de contas no menu %s AccountancyAreaDescVat=PASSO %s: defina contas contábeis para cada taxa de IVA. Para isso, use a entrada de menu %s. AccountancyAreaDescExpenseReport=PASSO %s: Defina contas contábeis padrão para cada tipo de relatório de despesas. Para isso, use a entrada de menu %s. AccountancyAreaDescSal=PASSO %s: Defina contas contábeis padrão para pagamento de salários. Para isso, use a entrada de menu %s. @@ -83,6 +83,7 @@ InvoiceLinesDone=Linhas das faturas vinculadas ExpenseReportLines=Relatórios de linhas de despesas obrigatórias ExpenseReportLinesDone=Relatórios de linhas de despesas vinculadas IntoAccount=Vincular linha com conta contábil +TotalForAccount=Total para conta contábil LineId=Linha da ID Processing=Processando EndProcessing=Processo foi finalizado. @@ -115,10 +116,14 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Conta contábil de espera DONATION_ACCOUNTINGACCOUNT=Conta contábil para registro de doações. ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Conta contábil para registrar assinaturas ACCOUNTING_PRODUCT_BUY_ACCOUNT=Conta contábil padrão para produtos comprados (usada se não definida na folha de produtos) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Conta contábil padrão para os produtos comprados na CEE (usada se não definida na planilha de produtos) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Conta contábil padrão para os produtos comprados e importados da CEE (usados ​​se não definidos na folha do produto) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Conta contábil padrão para os produtos vendidos (usado se não estiver definido na folha do produto) ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Conta contábil por padrão para os produtos vendidos na EEC (usada se não definida na planilha de produtos) ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Conta contábil por padrão para os produtos vendidos e exportados para fora da EEC (usados ​​se não definidos na folha do produto) ACCOUNTING_SERVICE_BUY_ACCOUNT=Conta contábil padrão para os serviços comprados (se não for definido na listagem de serviços) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Conta contábil padrão para os serviços comprados no EEC (usada se não definida na planilha de serviços) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Conta contábil padrão para os serviços comprados e importados do EEC (usados ​​se não definidos na ficha de serviço) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Conta contábil padrão para os serviços vendidos (se não for definido na listagem de serviços) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Conta contábil por padrão para os serviços vendidos na EEC (usada se não definida na ficha de serviço) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Conta contábil por padrão para os serviços vendidos e exportados para fora do EEC (usados ​​se não definidos na ficha de serviço) @@ -155,8 +160,12 @@ ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Conta de terceiro não definida o ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Terceiros desconhecido e subconta não definida no pagamento. Manteremos o valor da conta do subconjunto vazio. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Conta de terceiros não definida ou desconhecida de terceiros. Erro de bloqueio. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Conta de terceiros desconhecida e conta em espera não definida. Erro de bloqueio +OpeningBalance=Saldo inicial +ShowOpeningBalance=Mostrar saldo inicial +HideOpeningBalance=Ocultar saldo inicial Pcgtype=Plano de Contas PcgtypeDesc=O grupo de contas é usado como critério predefinido de 'filtro' e 'agrupamento' para alguns relatórios contábeis. Por exemplo, 'RENDA' ou 'DESPESA' são usados ​​como grupos para contas contábeis de produtos para criar o relatório de despesas / receitas. +Reconcilable=Reconciliável TotalVente=Volume total negociado sem Impostos TotalMarge=Margem de vendas totais DescVentilCustomer=Consulte aqui a lista linhas de pedidos de clientes vinculadas (ou não) a uma conta contábil de produto @@ -183,6 +192,7 @@ 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 CategoryDeleted=A categoria para a conta contábil foi removida AccountingJournals=Relatórios da contabilidade @@ -203,10 +213,12 @@ Modelcsv_quadratus=Exportação para Quadratus QuadraCompta Modelcsv_ebp=Exportar para EBP Modelcsv_cogilog=Exportar para Cogilog Modelcsv_agiris=Exportar para Agiris -Modelcsv_LDCompta=Exportar para LD Compta (v9 e superior) (Teste) +Modelcsv_LDCompta=Exportar para LD Compta (v9) (Teste) +Modelcsv_LDCompta10=Exportação para LD Compta (v10 ou superior) Modelcsv_openconcerto=Exportar para OpenConcerto (Teste) Modelcsv_FEC=Exportar FEC Modelcsv_Sage50_Swiss=Exportação para Sage 50 Suíça +Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta ChartofaccountsId=ID do gráfico de contas InitAccountancy=Contabilidade Inicial InitAccountancyDesc=Esta página pode ser usado para inicializar um código de barras em objetos que não têm código de barras definidas. Verifique que o módulo de código de barras tenha sido instalado antes. @@ -216,10 +228,14 @@ OptionModeProductSell=Modo vendas OptionModeProductSellIntra=Vendas de modo exportadas na CEE OptionModeProductSellExport=Vendas de modo exportadas em outros países OptionModeProductBuy=Modo compras +OptionModeProductBuyIntra=Compras no modo importadas na CEE +OptionModeProductBuyExport=Modo adquirido importado de outros países OptionModeProductSellDesc=Exibir todos os produtos sem uma conta da Contabilidade definida para compras. OptionModeProductSellIntraDesc=Mostrar todos os produtos com conta contábil para vendas no EEC. OptionModeProductSellExportDesc=Mostrar todos os produtos com conta contábil para outras vendas externas. OptionModeProductBuyDesc=Exibir todos os produtos sem uma conta da Contabilidade definida para compras. +OptionModeProductBuyIntraDesc=Mostre todos os produtos com conta contábil para compras no EEC. +OptionModeProductBuyExportDesc=Mostre todos os produtos com conta contábil para outras compras no exterior. CleanFixHistory=Remover o código contábil de linhas que não existem nos gráficos de conta CleanHistory=Redefinir todas as vinculações para o ano selecionado PredefinedGroups=Grupos predefinidos @@ -229,6 +245,8 @@ AccountRemovedFromGroup=Conta removida do grupo SaleLocal=Venda local SaleExport=Venda de exportação SaleEEC=Venda na CEE +SaleEECWithVAT=A venda na CEE com um IVA não nulo; portanto, supomos que essa NÃO seja uma venda intracomunitária e a conta sugerida é a conta padrão do produto. +SaleEECWithoutVATNumber=Venda na CEE sem IVA, mas o ID do IVA de terceiros não está definido. Recorremos à conta do produto para vendas padrão. Você pode corrigir o ID do IVA de terceiros ou a conta do produto, se necessário. Range=Faixa da conta da Contabilidade SomeMandatoryStepsOfSetupWereNotDone=Algumas etapas obrigatórias de configuração não foram feitas, preencha-as ErrorNoAccountingCategoryForThisCountry=Nenhum Plano de Contas Contábil disponível para este país %s (Veja Home - Configurações- Dicionário) diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 2b1b7cdef65..90909049e3c 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -35,6 +35,7 @@ WebUserGroup=Servidor Web para usuário/grupo NoSessionFound=Sua configuração do PHP parece não permitir listar as sessões ativas. O diretório usado para salvar sessões (%s) pode estar protegido (por exemplo, pelas permissões do sistema operacional ou pela diretiva PHP "open_basedir"). DBStoringCharset=Charset base de dados para armazenamento de dados (Database charset to store data) DBSortingCharset=Charset base de dados para classificar os dados (Database charset to sort data) +HostCharset=Conjunto de caracteres do host ClientCharset=Conjunto de clientes ClientSortingCharset=Conferência de Clientes WarningModuleNotActive=Módulo %s deve ser Ativado! @@ -77,12 +78,14 @@ NextValueForInvoices=Próximo Valor (Faturas) NextValueForCreditNotes=Próximo Valor (Notas de Crédito) NextValueForDeposit=Próximo valor (pagamento inicial) NextValueForReplacements=Próximo Valor (Substituição) -MustBeLowerThanPHPLimit=OBS: O seu servidor PHP limita o tamanho de envio de arquivos para %s %s , seja qual for o valor desse parâmetro +MustBeLowerThanPHPLimit=Nota: sua configuração PHP atualmente limita o tamanho máximo de arquivo para upload para %s %s, independentemente do valor desse parâmetro NoMaxSizeByPHPLimit=Nenhum limite foi configurado no seu PHP MaxSizeForUploadedFiles=Tamanho Máximo para uploads de arquivos ('0' para proibir o carregamento) UseCaptchaCode=Usar captcha para login (recomendado se os usuários tiverem acesso ao Dolibarr pela internet) AntiVirusCommand=Caminho completo para antivirus +AntiVirusCommandExample=Exemplo para Daemon ClamAv (requer clamav-daemon): / usr / bin / clamdscan
Exemplo para ClamWin (muito, muito lento): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe AntiVirusParam=Mais parâmetros em linha de comando (CLI) +AntiVirusParamExample=Exemplo para o Daemon ClamAv: --fdpass
Exemplo para ClamWin: --database = "C: \\ Arquivos de Programas (x86) \\ ClamWin \\ lib" ComptaSetup=Conf. do Módulo Contabilidade UserSetup=Conf. do Gestor de usuários MultiCurrencySetup=Configuração de múltiplas moedas @@ -161,6 +164,7 @@ AutoDetectLang=Autodetecção de idioma pelo navegador FeatureDisabledInDemo=Algumas funções desabilitada no Demo FeatureAvailableOnlyOnStable=Funcionalidade somente disponível em versões estáveis oficiais OnlyActiveElementsAreShown=Somente elementos de módulos ativos são mostrado. +ModulesDesc=Os módulos / aplicativos determinam quais recursos estão disponíveis no software. Alguns módulos exigem permissões a serem concedidas aos usuários após a ativação do módulo. Clique no botão liga / desliga %s de cada módulo para ativar ou desativar um módulo / aplicativo. ModulesMarketPlaceDesc=Você pode encontrar mais módulos para download em sites externos na Internet ... ModulesMarketPlaces=Encontrar app/módulos externos ModulesDevelopYourModule=Desenvolver seus próprios app/módulos @@ -319,7 +323,6 @@ ExtrafieldCheckBox=Caixas de seleção ExtrafieldCheckBoxFromList=Caixas de seleção da tabela ExtrafieldLink=Link para um objeto ComputedFormula=Campo computado -ComputedFormulaDesc=Você pode inserir aqui uma fórmula usando outras propriedades do objeto ou qualquer código PHP para obter um valor computado dinâmico. Você pode usar qualquer fórmula compatível com PHP, incluindo o "?" operador de condição e objeto global seguinte: $db, $conf, $langs, $mysoc, $user, $object .
AVISO : Apenas algumas propriedades do $object podem estar disponíveis. Se você precisar de propriedades não carregadas, basta buscar o objeto em sua fórmula, como no segundo exemplo.
Usar um campo computado significa que você não pode inserir qualquer valor da interface. Além disso, se houver um erro de sintaxe, a fórmula pode retornar nada.

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

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

Outro exemplo de fórmula para forçar a carga do objeto e seu objeto pai:
(($reloadedobj = new Task($db)) && ($reloadedobj-> fetch ($object-> id) > 0) && ($secondloadedobj = new Project ($db)) && ($secondloadedobj-> fetch($reloadedobj-> fk_project) > 0)) ? $secondloadedobj-> ref: 'Projeto pai não encontrado' Computedpersistent=Armazenar campo computado ComputedpersistentDesc=Campos extra computados serão armazenados no banco de dados, no entanto, o valor será recalculado somente quando o objeto deste campo for alterado. Se o campo computado depender de outros objetos ou dados globais, esse valor pode estar errado !! 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 @@ -328,6 +331,7 @@ ExtrafieldParamHelpradio=Lista de valores deve ser linhas com chave de formato, ExtrafieldParamHelpsellist=Lista de valores vem de uma tabela
Sintaxe: table_name: label_field: id_field :: filter
Exemplo: c_typent: libelle: id :: filter

- idfilter é necessariamente uma chave primária int
- filtro pode ser um teste simples (por exemplo, ativo = 1) para exibir apenas o valor ativo
Você também pode usar $ID$ no filtro que é o ID atual do objeto atual
Para fazer um SELECT no filtro use $SEL$
se você quiser filtrar em extrafields use a sintaxe extra.fieldcode = ... (onde o código de campo é o código do campo extra)

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

Para ter a lista dependendo de outra lista:
c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelpchkbxlst=Lista de valores vem de uma tabela
Sintaxe: table_name: label_field: id_field :: filter
Exemplo: c_typent: libelle: id :: filter

filtro pode ser um teste simples (por exemplo, ativo = 1) para exibir apenas o valor ativo
Você também pode usar $ID$ no filtro que é o ID atual do objeto atual
Para fazer um SELECT no filtro use $SEL$
se você quiser filtrar em extrafields use a sintaxe extra.fieldcode = ... (onde o código de campo é o código do campo extra)

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

Para ter a lista dependendo de outra lista:
c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelplink=Parâmetros devem ser ObjectName: Classpath
Sintaxe: ObjectName: Classpath
Exemplos:
Societe: societe/class/societe.class.php
Contato: contact/class/contact.class.php +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) LinkToTestClickToDial=Entre com um número telefônico para chamar e mostrar um link que testar a URL CliqueParaDiscar para usuário %s @@ -337,6 +341,8 @@ KeepEmptyToUseDefault=Deixe em branco para usar o valor padrão DefaultLink=Link padrão SetAsDefault=Definir como padrão ValueOverwrittenByUserSetup=Aviso, esse valor pode ser substituido pela configuração especifícada pelo usuário (cada usuário pode ter seu propria URL CliqueParaDiscar) +ExternalModule=Módulo externo +InstalledInto=Instalado no diretório %s BarcodeInitForProductsOrServices=Inicialização de código de barras em massa ou redefinir de produtos ou serviços CurrentlyNWithoutBarCode=Atualmente, você tem %s registro(s) no %s %s sem um código de barras definido. InitEmptyBarCode=Valor Init para o próximo registros vazios @@ -404,8 +410,6 @@ Module53Desc=Gestão de Serviços Module54Name=Contratos/Assinaturas Module55Name=Códigos de Barra Module55Desc=Gestor de Códigos de Barra -Module56Name=Telefonia -Module56Desc=Integração Telefônica Module57Name=Pagamentos por débito direto bancário Module58Name=CliqueParaDiscarl Module58Desc=Integração do Sistema CliqueParaDiscar (Asterisk, etc.) @@ -756,6 +760,7 @@ DictionaryCompanyJuridicalType=Entidades jurídicas de terceiros DictionaryProspectLevel=Possível cliente DictionaryCanton=Estados / Cidades DictionaryRegion=Regiões +DictionaryCivility=Títulos honorários DictionaryActions=Tipos de eventos na agenda DictionarySocialContributions=Tipos de impostos sociais ou fiscais DictionaryVAT=Taxas de VAT ou imposto sobre vendas de moeda @@ -787,6 +792,7 @@ VATIsUsedDesc=Por padrão, ao criar prospectos, faturas, pedidos etc., a taxa do VATIsNotUsedDesc=Por padrão, o imposto sobre vendas proposto é 0, que pode ser usado para casos como associações, indivíduos ou pequenas empresas. VATIsUsedExampleFR=Na França, significa empresas ou organizações que possuem um sistema fiscal real (real simplificado, real ou normal). Um sistema no qual o IVA é declarado. VATIsNotUsedExampleFR=Na França, isso significa associações que não são declaradas em impostos sobre vendas ou empresas, organizações ou profissões liberais que escolheram o sistema fiscal de microempresas (imposto sobre vendas em franquia) e pagaram uma taxa de vendas de franquia sem qualquer declaração de imposto sobre vendas. Essa opção exibirá a referência "Imposto sobre vendas não aplicável - art-293B do CGI" nas faturas. +TypeOfSaleTaxes=Tipo de imposto sobre vendas LTRate=Rata LocalTax1IsNotUsed=Não utilizar segundo imposto LocalTax2IsNotUsed=Não utilizar terceiro imposto @@ -797,6 +803,8 @@ LocalTax1IsNotUsedExampleES=Na Espanha eles são proficionais e sócios e sujeit LocalTax2ManagementES=Gestor IRPF 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 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 @@ -884,6 +892,7 @@ LogEventDesc=Ative o registro para eventos de segurança específicos. Administr AreaForAdminOnly=Os parâmetros de configuração só podem ser definidos pelos usuários administradores. SystemInfoDesc=Informações do sistema está faltando informações, técnicas você consegue em modo de leitura e é visivel somente para administradores. SystemAreaForAdminOnly=Esta área está disponível apenas para usuários administradores. As permissões de usuário do Dolibarr não podem alterar essa restrição. +CompanyFundationDesc=Edite as informações da sua empresa / organização. Clique no botão "%s" na parte inferior da página quando terminar. AccountantDesc=Se você tiver um contador / contador externo, poderá editar aqui suas informações. AccountantFileNumber=Código do contador DisplayDesc=Parâmetros afetando a aparência e o comportamento do Dolibarr podem ser modificados aqui. @@ -985,6 +994,9 @@ RuleForGeneratedPasswords=Regras para gerar e validar senhas DisableForgetPasswordLinkOnLogonPage=Não mostrar o link "Senha esquecida" na página de login UsersSetup=Configurações de módulo de usuários UserMailRequired=O e-mail é necessário para criar um novo usuário +UserHideInactive=Ocultar usuários inativos de todas as listas combinadas de usuários (não recomendado: isso pode significar que você não poderá filtrar ou pesquisar usuários antigos em algumas páginas) +UsersDocModules=Modelos de documentos para documentos gerados a partir do registro do usuário +GroupsDocModules=Modelos de documentos para documentos gerados a partir de um registro de grupo HRMSetup=Configuração do módulo RH CompanySetup=Configurações de módulo das empresas CompanyCodeChecker=Opções para geração automática de códigos de cliente / fornecedor @@ -1007,6 +1019,7 @@ BillsNumberingModule=Faturas e notas de crédito no modelo de numeração BillsPDFModules=Modelos de documentos da fatura PaymentsPDFModules=Modelos dos documentos de pagamento ForceInvoiceDate=Forçar data de fatura para data de validação +SuggestedPaymentModesIfNotDefinedInInvoice=Modo de pagamento sugerido na fatura por padrão, se não estiver definido na fatura SuggestPaymentByRIBOnAccount=Sugerir pagamento por retirada na conta SuggestPaymentByChequeToAddress=Sugerir pagamento por cheque para FreeLegalTextOnInvoices=Texto livre nas fatura @@ -1017,6 +1030,7 @@ SupplierPaymentSetup=Configuração de pagamentos do fornecedor PropalSetup=Configurações do módulo de orçamentos ProposalsNumberingModules=Modelos de numeração de orçamentos ProposalsPDFModules=Modelos de documentos para Orçamentos +SuggestedPaymentModesIfNotDefinedInProposal=Modo de pagamentos sugeridos na proposta por padrão, se não estiver definido na proposta FreeLegalTextOnProposal=Texto livre em orçamentos WatermarkOnDraftProposal=Marca d'água no rascunho de orçamentos (nenhum se vazio) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Informar conta bancária de destino da proposta @@ -1028,6 +1042,7 @@ WatermarkOnDraftSupplierProposal=Marca d'água em projetos de ordem dos forneced BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Informar conta bancária de destino da proposta WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Solicitar Fonte de Armazenagem para o pedido BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Pedir destino da conta bancária da ordem de compra +SuggestedPaymentModesIfNotDefinedInOrder=Modo de pagamentos sugeridos no pedido de venda por padrão, se não definido no pedido OrdersSetup=Configuração de gerenciamento de pedidos de vendas OrdersNumberingModules=modelos de numeração de pedidos OrdersModelModule=Modelos de documentos de pedidos @@ -1287,6 +1302,9 @@ CashDeskBankAccountForCB=Conta default para usar nos pagamentos em cartão de cr CashDeskBankAccountForSumup=Conta bancária padrão a ser usada para receber pagamentos pelo SumUp CashDeskIdWareHouse=Depósito para usar nas vendas StockDecreaseForPointOfSaleDisabledbyBatch=A redução de estoque no PDV não é compatível com o gerenciamento de série / lote do módulo (atualmente ativo), portanto, a redução de estoque é desativada. +CashDeskForceDecreaseStockLabel=A redução do estoque de produtos em lote foi forçada. +CashDeskForceDecreaseStockDesc=Diminuir primeiro pelo mais antigo e vender por datas. +CashDeskReaderKeyCodeForEnter=Código da chave para "Enter" definido no leitor de código de barras (Exemplo: 13) BookmarkSetup=Configurações do módulo de marcadores NbOfBoomarkToShow=Número máximo de marcadores para mostrar no menu esquerdo WebServicesSetup=Configurações do módulo de serviço de web @@ -1310,6 +1328,7 @@ ChequeReceiptsNumberingModule=Verificar módulo de numeração de recibos MultiCompanySetup=Configurações do módulo multi-empresas SuppliersSetup=Configuração do módulo de fornecedor SuppliersCommandModel=Modelo completo do pedido +SuppliersCommandModelMuscadet=Modelo completo do pedido (antiga implementação do modelo Cornas) SuppliersInvoiceModel=Modelo completo da fatura do fornecedor SuppliersInvoiceNumberingModel=Modelos de numeração de faturas de fornecedores IfSetToYesDontForgetPermission=Se definido como um valor não nulo, não se esqueça de fornecer permissões a grupos ou usuários com permissão para a segunda aprovação @@ -1365,11 +1384,13 @@ TopMenuBackgroundColor=Cor de fundo para o menu de topo TopMenuDisableImages=Ocultar imagens no menu Superior LeftMenuBackgroundColor=Cor do fundo para o menu esquerdo BackgroundTableTitleColor=Cor de fundo para a linha do título da Tabela +BackgroundTableTitleTextlinkColor=Cor do texto da linha de link do título da tabela BackgroundTableLineOddColor=Cor do fundo para as linhas ímpares da tabela BackgroundTableLineEvenColor=Cor do fundo, mesmo para linhas de tabela MinimumNoticePeriod=O período mínimo de observação (O seu pedido de licença deve ser feito antes de esse atraso) NbAddedAutomatically=Número de dias adicionados para contadores de usuários (automaticamente) a cada mês EnterAnyCode=Este campo contém uma referência para identificar uma linha. Digite qualquer valor de sua escolha, mas sem caracteres especiais. +Enter0or1=Digite 0 ou 1 ColorFormat=A cor RGB está no formato HEX, ex.: FF0000 PositionIntoComboList=Posição de linha em listas de combinação SellTaxRate=Taxa de imposto sobre venda @@ -1455,7 +1476,6 @@ WithoutDolTrackingID=Referência Dolibarr não encontrada no ID da mensagem FormatZip=CEP MainMenuCode=Código de entrada do menu (mainmenu) ECMAutoTree=Mostrar árvore de ECM automática -OperationParamDesc=Defina valores a serem usados para ação ou como extrair valores. Por exemplo:
objproperty1 = SET: abc
objproperty1 = SET: um valor com substituição de __objproperty1__
objproperty3 = SETIFEMPTY: abc
objproperty4 = EXTRAIR: CABEÇALHO: X-Myheaderkey. * [^ \\ s] + (. *)
options_myextrafield = EXTRACT: ASSUNTO: ([^ \\ s] *)
object.objproperty5 = EXTRATO: CORPO: O nome da minha empresa é \\ s ([^ \\ s] *)

Use um ; como separador para extrair ou definir várias propriedades. OpeningHours=Horário de abertura OpeningHoursDesc=Digite aqui os horários de funcionamento da sua empresa. ResourceSetup=Configuração do módulo de recursos @@ -1483,6 +1503,7 @@ WarningValueHigherSlowsDramaticalyOutput=Atenção, valores mais altos reduzem d ModuleActivated=O módulo %s é ativado e torna a interface mais lenta 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 InstanceUniqueID=ID exclusivo da instância SmallerThan=Menor que LargerThan=Maior que @@ -1496,10 +1517,16 @@ ConfirmDeleteEmailCollector=Tem certeza de que deseja excluir este coletor de e- RecipientEmailsWillBeReplacedWithThisValue=Os e-mails dos destinatários sempre serão substituídos por este valor AtLeastOneDefaultBankAccountMandatory=Pelo menos uma (01) conta bancária padrão deve ser definida RESTRICT_ON_IP=Permitir acesso apenas a alguns IPs do host (curinga não permitido, use espaço entre valores). Vazio significa que todos os hosts podem acessar. +IPListExample=127.0.0.1 192.168.0.2 [:: 1] BaseOnSabeDavVersion=Com base na versão da biblioteca SabreDAV NotAPublicIp=Não é um IP público MakeAnonymousPing=Faça um ping anônimo '+1' no servidor de base Dolibarr (feito apenas uma vez após a instalação) para permitir que a base conte o número de instalações do Dolibarr. FeatureNotAvailableWithReceptionModule=Recurso não disponível quando a recepção do módulo está ativada EmailTemplate=Modelo para e-mail EMailsWillHaveMessageID=Os e-mails terão a tag 'Referências' correspondente a esta sintaxe +PDF_USE_ALSO_LANGUAGE_CODE=Se você deseja duplicar alguns textos em seu PDF em 2 idiomas diferentes no mesmo PDF gerado, defina aqui esse segundo idioma para que o PDF gerado contenha 2 idiomas diferentes na mesma página, o escolhido ao gerar PDF e este ( apenas alguns modelos de PDF suportam isso). Mantenha em branco para 1 idioma por PDF. FafaIconSocialNetworksDesc=Digite aqui o código de um ícone FontAwesome. Se você não souber o que é FontAwesome, poderá usar o valor genérico fa-address-book. +RssNote=Nota: Cada definição de feed RSS fornece um widget que você deve ativar para disponibilizá-lo no painel +JumpToBoxes=Vá para Configuração -> Widgets +MeasuringUnitTypeDesc=Use aqui um valor como "tamanho", "superfície", "volume", "peso", "tempo" +MeasuringScaleDesc=A escala é o número de casas que você precisa mover a parte decimal para corresponder à unidade de referência padrão. Para o tipo de unidade "time", é o número de segundos. Valores entre 80 e 99 são valores reservados. diff --git a/htdocs/langs/pt_BR/agenda.lang b/htdocs/langs/pt_BR/agenda.lang index 3a8de6667d0..bf6409fc199 100644 --- a/htdocs/langs/pt_BR/agenda.lang +++ b/htdocs/langs/pt_BR/agenda.lang @@ -64,12 +64,14 @@ ShippingValidated=Envio %s validado ProposalDeleted=Proposta excluída OrderDeleted=Pedido excluído InvoiceDeleted=Fatura excluída +DraftInvoiceDeleted=Rascunho da fatura excluído PRODUCT_CREATEInDolibarr=Produto %s criado PRODUCT_MODIFYInDolibarr=Produto %s modificado PRODUCT_DELETEInDolibarr=Produto%s exluído HOLIDAY_CREATEInDolibarr=Solicitação de licença %s criada HOLIDAY_MODIFYInDolibarr=Solicitação de licença %s alterada HOLIDAY_APPROVEInDolibarr=Solicitação de licença %s aprovada +HOLIDAY_VALIDATEInDolibarr=Solicitação de licença %s validada HOLIDAY_DELETEInDolibarr=Solicitação de licença %s excluída EXPENSE_REPORT_CREATEInDolibarr=Relatório de despesas %s criado EXPENSE_REPORT_VALIDATEInDolibarr=relatório de despesas %s validado @@ -89,8 +91,10 @@ BOM_CLOSEInDolibarr=BOM desativado BOM_REOPENInDolibarr=BOM reaberto BOM_DELETEInDolibarr=BOM excluído MRP_MO_VALIDATEInDolibarr=MO validado +MRP_MO_UNVALIDATEInDolibarr=MO definido para o status de rascunho MRP_MO_PRODUCEDInDolibarr=MO produzido MRP_MO_DELETEInDolibarr=MO excluído +MRP_MO_CANCELInDolibarr=MO cancelado AgendaModelModule=Modelos de documentos para o evento DateActionEnd=Data de término AgendaUrlOptions1=Você também pode adicionar os seguintes parâmetros nos filtros de saída: @@ -98,6 +102,7 @@ AgendaUrlOptions3=logina=%s para restringir a saída para ações criada AgendaUrlOptionsNotAdmin=logina=!%s para restringir a saída das ações não pertencentes ao usuário%s. AgendaUrlOptions4=logint=%s para restringir a saída às ações atribuídas ao usuário %s (proprietário e outros). AgendaUrlOptionsProject=projeto=__PROJECT_ID__ para restringir a saída para ações ligadas ao __PROJECT_ID__. +AgendaUrlOptionsIncludeHolidays=includeholidays = 1 para incluir eventos de licenças. AgendaShowBirthdayEvents=Mostrar datas de nascimento dos contatos AgendaHideBirthdayEvents=Ocultar datas de nascimento dos contatos ExportDataset_event1=Lista dos eventos da agenda diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang index d732098488f..5788d9f6f55 100644 --- a/htdocs/langs/pt_BR/banks.lang +++ b/htdocs/langs/pt_BR/banks.lang @@ -25,6 +25,8 @@ SwiftValid=Código de identificação bancária / Sociedade para Telecomunicaç SwiftVNotalid=Código de identificação bancária / Sociedade para Telecomunicações Financeiras Interbancárias Internacionais inválido IbanValid=Numero de conta bancária valida IbanNotValid=Numero de conta bancária inválida +StandingOrders=Pedidos com Débito direto +StandingOrder=Ordem de débito direto AccountStatement=Extrato da conta AccountStatementShort=Extrato AccountStatements=Extratos da conta diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang index 093a461809a..2c24ee6c107 100644 --- a/htdocs/langs/pt_BR/bills.lang +++ b/htdocs/langs/pt_BR/bills.lang @@ -166,10 +166,17 @@ AmountOfBillsByMonthHT=Quantidade de faturas por mês (líquido de taxa) UseSituationInvoices=Permitir fatura de situação UseSituationInvoicesCreditNote=Permitir nota de crédito da fatura da situação Retainedwarranty=Garantia retida +AllowedInvoiceForRetainedWarranty=Garantia estendida utilizável nos seguintes tipos de faturas RetainedwarrantyDefaultPercent=Porcentagem padrão de garantia retida ToPayOn=Para pagar em %s toPayOn=para pagar em %s RetainedWarranty=Garantia Retida +PaymentConditionsShortRetainedWarranty=Condições de pagamento da garantia estendida +DefaultPaymentConditionsRetainedWarranty=Termos de pagamento padrão da garantia estendida +setPaymentConditionsShortRetainedWarranty=Definir condições de pagamento da garantia estendida +setretainedwarranty=Definir garantia estendida +setretainedwarrantyDateLimit=Definir limite de data de garantia estendida +RetainedWarrantyDateLimit=Limite de data de garantia estendida AlreadyPaid=Já está pago AlreadyPaidBack=Já está estornado RemainderToPay=Restante para pagar @@ -181,8 +188,6 @@ ExcessReceived=Excesso recebido EscompteOffered=Desconto oferecido (pagamento antes do prazo) SendBillRef=Enviar fatura %s SendReminderBillRef=Enviar fatura %s (restante) -StandingOrders=Pedidos com Débito direto -StandingOrder=Ordem de débito direto NoDraftBills=Nenhum rascunho de faturas NoOtherDraftBills=Nenhum outro rascunho de faturas NoDraftInvoices=Nenhum rascunho de faturas @@ -278,6 +283,7 @@ PaymentConditionPT_ORDER=No pedido PaymentConditionPT_5050=50%% adiantado e 50%% na entrega FixAmount=Valor fixo - 1 linha com o rótulo '%s' VarAmount=Variavel valor (%% total) +VarAmountAllLines=Valor variável (%% tot.) - todas as mesmas linhas PaymentTypePRE=Pedido com pagamento em Débito direto PaymentTypeShortPRE=Pedido com pagamento por débito PaymentTypeLIQ=Dinheiro @@ -342,10 +348,11 @@ ClosePaidContributionsAutomatically=Classifique automaticamente todas as contrib AllCompletelyPayedInvoiceWillBeClosed=Todas as faturas sem saldo a pagar serão fechadas automaticamente com o status "Pago". ToMakePaymentBack=Pagar de volta NoteListOfYourUnpaidInvoices=Nota: Essa lista contém faturas de terceiros que você está a ligado como representante de vendas. +RevenueStamp=Carimbo de imposto YouMustCreateInvoiceFromThird=Esta opção só está disponível ao criar uma fatura na guia "Cliente" de terceiros YouMustCreateInvoiceFromSupplierThird=Essa opção só está disponível ao criar uma fatura na guia "Fornecedor" de terceiros YouMustCreateStandardInvoiceFirstDesc=Você deve criar antes uma fatura padrão e convertê-la em um "tema" para criar um novo tema de fatura -PDFCrabeDescription=Modelo de fatura PDF Crabe. Um modelo de fatura completo +PDFCrabeDescription=Modelo de fatura PDF Crabe. Um modelo de fatura completo (implementação antiga do modelo Sponge) PDFCrevetteDescription=Tema Crevette para fatura em PDF. Um tema completo para a situação das faturas TerreNumRefModelDesc1=Retorna número com formato %syymm-nnnn para padrão de faturas e %syymm-nnnn para notas de crédito onde yy é ano, mm é mês e nnnn é uma sequência numérica sem quebra e sem retorno para 0 MarsNumRefModelDesc1=Número de retorno com o formato %syymm-nnnn para faturas padrão, %syymm-nnnn para faturas de substituição, %syymm-nnnn para faturas de adiantamento e %syymm-nnnn para notas de crédito onde yy é ano, mm é mês e nnnn é uma seqüência sem interrupção e não retornar para 0 @@ -389,3 +396,5 @@ BillCreated=%s conta(s) criada(s) StatusOfGeneratedDocuments=Status da geração de documentos DoNotGenerateDoc=Não gere arquivo de documento BILL_DELETEInDolibarr=Fatura excluída +BILL_SUPPLIER_DELETEInDolibarr=Fatura de fornecedor excluída +UnitPriceXQtyLessDiscount=Preço unitário x Qtd. - Desconto diff --git a/htdocs/langs/pt_BR/cashdesk.lang b/htdocs/langs/pt_BR/cashdesk.lang index eefa64d6102..4165500ad2e 100644 --- a/htdocs/langs/pt_BR/cashdesk.lang +++ b/htdocs/langs/pt_BR/cashdesk.lang @@ -7,6 +7,7 @@ AddThisArticle=Adicionar esse artigo RestartSelling=Voltar na venda SellFinished=Venda completada PrintTicket=Imprimir tíquete +SendTicket=Enviar ticket TotalTicket=Total do tíquite NoVAT=Nenhum ICMS para essa venda Change=Excesso recebido @@ -24,6 +25,7 @@ Footer=Rodapé AmountAtEndOfPeriod=Montante no final do período (dia, mês ou ano) TheoricalAmount=Quantidade teórica RealAmount=Quantidade real +CashFence=Cerca de dinheiro CashFenceDone=Caixa feito para o período NbOfInvoices=Núm. de faturas Paymentnumpad=Tipo de Pad para inserir pagamento @@ -36,6 +38,7 @@ 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 AutoPrintTickets=Imprimir automaticamente tickets | recibos +PrintCustomerOnReceipts=Imprimir cliente em tickets | recibos EnableBarOrRestaurantFeatures=Ativar recursos para Bar ou Restaurante ConfirmDeletionOfThisPOSSale=Você confirma a exclusão desta venda atual? ConfirmDiscardOfThisPOSSale=Deseja descartar esta venda atual? @@ -55,3 +58,26 @@ CustomReceipt=Recibo personalizado ReceiptName=Nome do recibo ProductSupplements=Suplementos ao produto SupplementCategory=Categoria de suplemento +ColorTheme=Tema de cores +Colorful=Colorido +HeadBar=Barra principal +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 de pagamento no numpad +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 +ControlCashOpening=Caixa de controle na posição de abertura +CloseCashFence=Fechar cerca de dinheiro +CashReport=Relatório de caixa +MainPrinterToUse=Impressora principal a ser usada +OrderPrinterToUse=Solicite impressora a ser usada +MainTemplateToUse=Modelo principal a ser usado +OrderTemplateToUse=Modelo de pedido a ser usado +BarRestaurant=Bar Restaurante +AutoOrder=Pedido automático do cliente diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang index 732f54fd2b3..65fd3a7feca 100644 --- a/htdocs/langs/pt_BR/categories.lang +++ b/htdocs/langs/pt_BR/categories.lang @@ -58,6 +58,7 @@ AccountsCategoriesShort=Tags/categorias Contas ProjectsCategoriesShort=Projetos tags/categorias UsersCategoriesShort=Tags / categorias de usuários StockCategoriesShort=Tags / categorias de armazém +ThisCategoryHasNoItems=Esta categoria não contém nenhum item. CategId=ID Tag / categoria CatSupList=Lista de tags / categorias de fornecedores CatCusList=Lista de cliente / perspectivas de tags / categorias @@ -66,6 +67,7 @@ CatMemberList=Lista de membros tags / categorias CatContactList=Lista de contatos tags / categorias CatSupLinks=Ligações entre fornecedores e tags / categorias CatCusLinks=Relação/links entre clientes / perspectivas e tags / categorias +CatContactsLinks=Links entre contatos / endereços e tags / categorias CatProdLinks=Relação/links entre produtos / serviços e tags / categorias CatProJectLinks=Links entre projetos e tags/categorias ExtraFieldsCategories=atributos complementares @@ -76,4 +78,6 @@ AddProductServiceIntoCategory=Adicione o seguinte produto / serviço ShowCategory=Mostrar tag / categoria ChooseCategory=Escolher categoria StocksCategoriesArea=Área categorias de armazéns +ActionCommCategoriesArea=Área Categorias de Eventos +WebsitePagesCategoriesArea=Área Categorias de Contêiner da Página UseOrOperatorForCategories=Use operador para categorias diff --git a/htdocs/langs/pt_BR/companies.lang b/htdocs/langs/pt_BR/companies.lang index e60767cde2c..06c5fb31a72 100644 --- a/htdocs/langs/pt_BR/companies.lang +++ b/htdocs/langs/pt_BR/companies.lang @@ -15,7 +15,6 @@ ProspectionArea=Área de prospecção IdThirdParty=ID do terceiro IdCompany=ID da empresa IdContact=ID do contato -Contacts=Contatos/Endereços ThirdPartyContacts=Contatos de terceiros ThirdPartyContact=Contato / endereço de terceiro AliasNames=Nome de fantasia (nome comercial, marca registrada etc.) @@ -115,6 +114,7 @@ ProfId2TN=Matrícula Fiscal ProfId3TN=Código na Alfandega ProfId4TN=CCC ProfId1US=Id do Prof (FEIN) +ProfId2RO=Prof Id 2 (nº de registro) ProfId3DZ=Numero do Contribuinte ProfId4DZ=Numero de Identificação Social VATIntra=ID do IVA @@ -142,7 +142,8 @@ AddContact=Adicionar contato AddContactAddress=Adicionar contato/endereço EditContact=Editar contato EditContactAddress=Editar contato/endereço -Contact=Contato +Contact=Contato / Endereço +Contacts=Contatos/Endereços ContactId=ID do contato ContactsAddresses=Contatos/Endereços NoContactDefinedForThirdParty=Nenhum contato foi definido para esse terceiro @@ -162,7 +163,7 @@ ProspectToContact=Prospecto de cliente a contactar CompanyDeleted=A empresa "%s" foi excluída do banco de dados. ListOfContacts=Lista de contatos/endereços ListOfContactsAddresses=Lista de contatos/endereços -ShowContact=Mostrar contato +ShowContact=Contato - Endereço ContactType=Tipo de contato ContactForOrders=Contato de pedidos ContactForOrdersOrShipments=Contato do pedido ou da remessa @@ -224,6 +225,13 @@ ConfirmDeleteFile=Você tem certeza que deseja deletar esse arquivo? AllocateCommercial=Designado para representante comercial Organization=Organização FiscalMonthStart=Primeiro mês do ano fiscal +SocialNetworksInformation=Redes sociais +SocialNetworksFacebookURL=URL Facebook +SocialNetworksTwitterURL=URL Twitter +SocialNetworksLinkedinURL=URL LinkedIn +SocialNetworksInstagramURL=URL Instagram +SocialNetworksYoutubeURL=URL YouTube +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 @@ -244,6 +252,7 @@ SaleRepresentativeLogin=Login para o representante de vendas SaleRepresentativeLastname=Sobrenome do representante de vendas ErrorThirdpartiesMerge=Houve um erro ao excluir os terceiros. Por favor, verifique o log. As alterações foram revertidas. NewCustomerSupplierCodeProposed=Código de cliente/fornecedor já em uso, sugerido o uso de um novo código +KeepEmptyIfGenericAddress=Mantenha este campo vazio se este endereço for um endereço genérico PaymentTypeCustomer=Tipo de pagamento - Cliente PaymentTermsCustomer=Termos de pagamento - Cliente PaymentTypeSupplier=Tipo de pagamento - Fornecedor diff --git a/htdocs/langs/pt_BR/compta.lang b/htdocs/langs/pt_BR/compta.lang index a5d7c9bb26f..a7001066d5f 100644 --- a/htdocs/langs/pt_BR/compta.lang +++ b/htdocs/langs/pt_BR/compta.lang @@ -118,7 +118,9 @@ AnnualByCompanies=Saldo de receitas e despesas, por grupos de conta predefinidos AnnualByCompaniesDueDebtMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sClaims-Debts%s disse Contabilidade de Compromisso . AnnualByCompaniesInputOutputMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sIncomes-Expenses%s chamada fluxo de caixa . RulesAmountWithTaxIncluded=- Valores apresentados estão com todos os impostos incluídos +RulesResultDue=- Inclui faturas pendentes, despesas, IVA, doações, sejam elas pagas ou não. Também inclui salários pagos.
- Baseia-se na data de cobrança das faturas e na data de vencimento de despesas ou pagamentos de impostos. Para salários definidos com o módulo Salário, é usada a data do valor do pagamento. RulesResultInOut=- Isto inclui os pagamentos reais feitos nas faturas, despesas, ICMS (VAT) e salários.
- Isto é baseado nas datas de pagamento das faturas, despesas, ICMS (VAT) e salários. A data de doação para a doação. +RulesCADue=- Inclui as faturas do cliente, pagas ou não. -
É baseado na data de cobrança dessas faturas.
RulesCAIn=- Inclui todos os pagamentos efetivos de faturas recebidas de clientes.
- É baseado na data de pagamento dessas faturas
RulesAmountOnInOutBookkeepingRecord=Inclui registro em seu Ledger com contas contábeis que tem o grupo "DESPESAS" ou "RENDIMENTO" RulesResultBookkeepingPredefined=Inclui registro em seu Ledger com contas contábeis que tem o grupo "DESPESAS" ou "RENDIMENTO" @@ -166,3 +168,11 @@ SameCountryCustomersWithVAT=Informar os clientes nacionais BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Com base nas duas primeiras letras do número de IVA sendo o mesmo que o código do país da sua própria empresa LinkedFichinter=Vincular a uma intervenção ImportDataset_tax_contrib=Contribuições fiscais/sociais +LabelToShow=Etiqueta curta +PurchaseTurnover=Rotatividade de compras +PurchaseTurnoverCollected=Rotatividade de compras coletadas +RulesPurchaseTurnoverDue=- Inclui as faturas do fornecedor, pagas ou não.
- É baseado na data da fatura dessas faturas.
+RulesPurchaseTurnoverIn=- Inclui todos os pagamentos efetivos das faturas feitas aos fornecedores.
- É baseado na data de pagamento dessas faturas.
+RulesPurchaseTurnoverTotalPurchaseJournal=Inclui todas as linhas de débito no diário de compras. +ReportPurchaseTurnover=Volume de negócios de compra faturada +ReportPurchaseTurnoverCollected=Rotatividade de compras coletadas diff --git a/htdocs/langs/pt_BR/errors.lang b/htdocs/langs/pt_BR/errors.lang index 4b5f972e55f..03b61f35571 100644 --- a/htdocs/langs/pt_BR/errors.lang +++ b/htdocs/langs/pt_BR/errors.lang @@ -48,6 +48,7 @@ ErrorPartialFile=O arquivo não foi completamente recebido pelo servidor. ErrorNoTmpDir=O diretório temporário %s não existe. ErrorUploadBlockedByAddon=Upload bloqueado por uma extensão do PHP/Apache. ErrorFileSizeTooLarge=O tamanho do arquivo é grande demais. +ErrorFieldTooLong=O campo %s é muito longo. ErrorSizeTooLongForIntType=Tamanho longo demais para o tipo int (o máximo é %s dígitos) ErrorSizeTooLongForVarcharType=Tamanho longo demais para o tipo string (o máximo é %s caracteres) ErrorNoValueForSelectType=Por favor, escolha uma opção da lista @@ -154,6 +155,12 @@ ErrorFieldRequiredForProduct=O campo '%s' é obrigatório para o produto %s ProblemIsInSetupOfTerminal=Problema na configuração do terminal %s. ErrorAddAtLeastOneLineFirst=Adicione pelo menos uma linha primeiro ErrorRecordAlreadyInAccountingDeletionNotPossible=Erro, o registro já foi transferido na contabilidade, a exclusão não é possível. +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Erro, o idioma é obrigatório se você definir a página como tradução de outro. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Erro, o idioma da página traduzida é o mesmo que este. +ErrorBatchNoFoundForProductInWarehouse=Nenhum lote / série encontrado para o produto "%s" no armazém "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Quantidade insuficiente para este lote / série para o produto "%s" "no armazém"%s ". +ErrorOnlyOneFieldForGroupByIsPossible=Apenas 1 campo para o 'Agrupar por' é possível (outros são descartados) +ErrorReplaceStringEmpty=Erro, a cadeia de caracteres para substituir está vazia WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Seu parâmetro PHP upload_max_filesize (%s) é maior que o parâmetro PHP post_max_size (%s). Esta não é uma configuração consistente. WarningPasswordSetWithNoAccount=A senha foi definida para esse membro. No entanto, nenhuma conta de usuário foi criada. Portanto, esta senha é armazenada, mas não pode ser usado para acessar Dolibarr. Ele pode ser usado por um módulo / interface externa, mas se você não precisa definir qualquer login nem palavra-passe para um membro, você pode desabilitar a opção "Gerenciar um login para cada membro" da configuração do módulo-Membro. Se você precisa para gerenciar um login, mas não precisa de qualquer senha, você pode manter este campo em branco para evitar este aviso. Nota: E-mail pode também ser utilizado como uma entre o membro se está ligado a um utilizador. WarningMandatorySetupNotComplete=Clique aqui para configurar os parâmetros obrigatórios diff --git a/htdocs/langs/pt_BR/hrm.lang b/htdocs/langs/pt_BR/hrm.lang index b39184a1651..45a48efed5e 100644 --- a/htdocs/langs/pt_BR/hrm.lang +++ b/htdocs/langs/pt_BR/hrm.lang @@ -3,5 +3,5 @@ HRM_EMAIL_EXTERNAL_SERVICE=E-mail para evitar HRM serviço externo Establishments=Estabelecimentos DeleteEstablishment=Excluir estabelecimento ConfirmDeleteEstablishment=Tem certeza de que deseja excluir este estabelecimento? +DictionaryPublicHolidays=RH - Licenças DictionaryDepartment=RH - Lista de departamentos -DictionaryFunction=RH - Lista de funções diff --git a/htdocs/langs/pt_BR/install.lang b/htdocs/langs/pt_BR/install.lang index 42c0397dc7a..e013aa1b910 100644 --- a/htdocs/langs/pt_BR/install.lang +++ b/htdocs/langs/pt_BR/install.lang @@ -7,10 +7,13 @@ ConfFileIsWritable=O arquivo de configuração conf.php tem as permissõe ConfFileMustBeAFileNotADir=O arquivo de configuração %s deve ser um arquivo, não um diretório. PHPSupportCalendar=Este PHP suporta extensões de calendários. PHPSupportIntl=Este PHP suporta funções Intl. +PHPSupportxDebug=Este PHP suporta funções de depuração estendidas. +PHPSupport=Este PHP suporta funções %s. PHPMemoryOK=Seu parametro PHP max session memory está definido para %s. Isto deve ser suficiente. ErrorPHPDoesNotSupportCurl=Sua instalacao do PHP nao suporta Curl. ErrorPHPDoesNotSupportCalendar=Sua instalação PHP não suporta extensões de calendário php. ErrorPHPDoesNotSupportIntl=Sua instalação do PHP não suporta funções Intl. +ErrorPHPDoesNotSupportxDebug=Sua instalação do PHP não suporta funções de depuração estendida. ErrorPHPDoesNotSupport=Sua instalação do PHP não suporta funções %s. ErrorDirDoesNotExists=Diretório %s não existe. ErrorWrongValueForParameter=Você pode ter digitado um valor incorreto para o parâmetro ' %s'. @@ -121,3 +124,5 @@ MigrationUserGroupRightsEntity=Atualizar o valor do campo da entidade de llx_use MigrationUserPhotoPath=Migração de caminhos de foto para usuários MigrationFieldsSocialNetworks=Migração de redes sociais dos campos de usuários (%s) MigrationResetBlockedLog=Redefinir o módulo BlockedLog para o algoritmo v7 +Loaded=Carregado +FunctionTest=Teste de funcionamento diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang index 99526d746fd..b1f7b0dbc05 100644 --- a/htdocs/langs/pt_BR/main.lang +++ b/htdocs/langs/pt_BR/main.lang @@ -21,7 +21,6 @@ FormatDateHourTextShort=%d %b, %Y, %I:%M %p FormatDateHourText=%d %B, %Y, %I:%M %p DatabaseConnection=Login à Base de Dados NoTemplateDefined=Nenhum modelo disponível para este tipo de email -EmptySearchString=Digite um termo de pesquisa NoRecordFound=Nenhum registro encontrado NoRecordDeleted=Nenhum registro foi deletado NotEnoughDataYet=Sem dados suficientes @@ -244,6 +243,7 @@ DefaultTaxRate=Taxa de imposto padrão RemainToPay=Permanecer para pagar Module=Modulo/Aplicacao Modules=Módulos / Aplicações +FullConversation=Conversa completa OtherStatistics=Outras estatisticas Favorite=Favorito RefSupplier=Ref. fornecedor @@ -426,6 +426,8 @@ GoIntoSetupToChangeLogo=Vá para Home - Setup - Company para alterar o logotipo Denied=Negado Gender=Gênero ViewList=Exibição de lista +ViewGantt=Visualização Gantt +ViewKanban=Visualização Kanban GoodBye=Tchau Sincerely=Sinceramente ConfirmDeleteObject=Tem certeza de que deseja excluir este objeto? @@ -490,8 +492,8 @@ Select2LoadingMoreResults=Carregando mais resultados... Select2SearchInProgress=Busca em andamento... SearchIntoContacts=Contatos SearchIntoUsers=Usuários +SearchIntoMO=Ordens de fabricação SearchIntoCustomerOrders=Pedido de Venda -SearchIntoCustomerProposals=Propostas de cliente SearchIntoSupplierProposals=Propostas de fornecedores SearchIntoContracts=Contratos SearchIntoCustomerShipments=Remessas do cliente @@ -531,3 +533,14 @@ ContactDefault_supplier_proposal=Proposta do Fornecedor ContactAddedAutomatically=Contato adicionado a partir de informações de terceiros More=Mais CustomReports=Relatórios personalizados +StatisticsOn=Estatísticas sobre +SelectYourGraphOptionsFirst=Selecione suas opções para criar um gráfico +Measures=Medidas +XAxis=Eixo X +YAxis=Eixo Y +StatusOfRefMustBe=O status de %s deve ser %s +DeleteFileHeader=Confirmar exclusão de arquivo +DeleteFileText=Deseja realmente excluir este arquivo? +ShowOtherLanguages=Mostrar outros idiomas +SwitchInEditModeToAddTranslation=Alterne modo de edição para adicionar traduções para este idioma +NotUsedForThisCustomer=Não usado para este cliente diff --git a/htdocs/langs/pt_BR/modulebuilder.lang b/htdocs/langs/pt_BR/modulebuilder.lang index edf9b131181..3c474204a64 100644 --- a/htdocs/langs/pt_BR/modulebuilder.lang +++ b/htdocs/langs/pt_BR/modulebuilder.lang @@ -31,6 +31,7 @@ PageForLib=Arquivo para a biblioteca comum do PHP PageForObjLib=Arquivo para a biblioteca PHP dedicada ao objeto SqlFileKeyExtraFields=Arquivo SQL para chaves de atributos complementares ListOfDictionariesEntries=Lista de entradas dos dicionários +DisplayOnPdf=Exibir em PDF MenusDefDesc=Defina aqui os menus fornecidos pelo seu módulo DictionariesDefDesc=Defina aqui os dicionários fornecidos pelo seu módulo PermissionsDefDesc=Defina aqui as novas permissões fornecidas pelo seu módulo diff --git a/htdocs/langs/pt_BR/mrp.lang b/htdocs/langs/pt_BR/mrp.lang index c6203bd824e..bfb2005baea 100644 --- a/htdocs/langs/pt_BR/mrp.lang +++ b/htdocs/langs/pt_BR/mrp.lang @@ -25,7 +25,9 @@ WatermarkOnDraftMOs=Marca d'água no rascunho MO ConfirmCloneBillOfMaterials=Tem certeza de que deseja clonar a lista de materiais %s? ConfirmCloneMo=Tem certeza de que deseja clonar a ordem de fabricação %s? ManufacturingEfficiency=Eficiência de fabricação +ConsumptionEfficiency=Eficiência de consumo ValueOfMeansLoss=Valor de 0,95 significa uma média de 5 %% de perda durante a produção +ValueOfMeansLossForProductProduced=Valor de 0,95 significa uma média de 5 %% de perda na produção do produto DeleteBillOfMaterials=Excluir lista de materiais DeleteMo=Excluir ordem de fabricação ConfirmDeleteBillOfMaterials=Tem certeza de que deseja excluir esta lista de materiais? @@ -38,6 +40,7 @@ DateEndPlannedMo=Data final planejada KeepEmptyForAsap=Vazio significa "o mais breve possível" EstimatedDuration=Duração estimada EstimatedDurationDesc=Duração estimada para fabricar este produto usando esta lista técnica +ConfirmValidateBom=Tem certeza que deseja validar a lista técnica com a referência %s (você poderá usá-la para criar novas ordens de fabricação) ConfirmCloseBom=Tem certeza de que deseja cancelar esta lista técnica (você não poderá mais usá-la para criar novas ordens de fabricação)? ConfirmReopenBom=Tem certeza de que deseja reabrir esta lista técnica (você poderá usá-la para criar novas ordens de fabricação) StatusMOProduced=Produzido @@ -54,10 +57,12 @@ ToConsume=Consumir ToProduce=Produzir QtyAlreadyConsumed=Quant. consumida QtyAlreadyProduced=Quant. produzida +QtyRequiredIfNoLoss=Quantidade necessária se não houver perda (a eficiência de fabricação é 100 %%) ConsumeOrProduce=Consumir ou Produzir ConsumeAndProduceAll=Consumir e produzir todos Manufactured=Fabricado TheProductXIsAlreadyTheProductToProduce=O produto a ser adicionado já é o produto a ser produzido. +ForAQuantityOf=Para produzir a quantidade %s ConfirmValidateMo=Tem certeza de que deseja validar esta ordem de fabricação? ConfirmProductionDesc=Ao clicar em '%s', você validará o consumo e / ou produção para as quantidades definidas. Isso também atualizará o estoque e registrará movimentos de estoque. ProductionForRef=Produção de %s @@ -68,3 +73,6 @@ ProductQtyToProduceByMO=Quantidade do produto ser produzida por MO aberto AddNewConsumeLines=Adicione nova linha para consumir ProductsToConsume=Produtos para consumir ProductsToProduce=Produtos para produzir +UnitCost=Custo unitário +TotalCost=Custo total +BOMTotalCost=O custo para produzir essa lista técnica com base no custo de cada quantidade e produto a consumir (use o preço de custo, se definido, ou o preço médio ponderado, se definido, ou o melhor preço de compra) diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang index 36349482923..365d053b4c9 100644 --- a/htdocs/langs/pt_BR/other.lang +++ b/htdocs/langs/pt_BR/other.lang @@ -16,6 +16,11 @@ ContentOfDirectoryIsNotEmpty=O conteúdo deste diretório não está vazio. PoweredBy=Distribuído por PreviousYearOfInvoice=Ano anterior da data da fatura NextYearOfInvoice=Após o ano da data da fatura +GraphInBarsAreLimitedToNMeasures=Os gráficos são limitados a %s medidas no modo 'Barras'. O modo 'Linhas' foi selecionado automaticamente. +OnlyOneFieldForXAxisIsPossible=Atualmente, apenas 1 campo é possível como eixo X. Somente o primeiro campo foi selecionado. +AtLeastOneMeasureIsRequired=É necessário pelo menos 1 campo para a medida +AtLeastOneXAxisIsRequired=É necessário pelo menos 1 campo para o eixo X +LatestBlogPosts=Últimos Posts do Blog Notify_ORDER_VALIDATE=Pedido de venda validado Notify_ORDER_SENTBYMAIL=Pedido de venda enviado por e-mail Notify_ORDER_SUPPLIER_SENTBYMAIL=Pedido de compra enviado por e-mail @@ -106,6 +111,7 @@ NumberOfSupplierProposals=Número de propostas de fornecedores NumberOfSupplierOrders=Número de pedidos de compra NumberOfSupplierInvoices=Número de faturas de fornecedor NumberOfContracts=Número de contratos +NumberOfMos=Número de ordens de fabricação NumberOfUnitsProposals=Numero de unidades nas propostas NumberOfUnitsCustomerOrders=Número de unidades em ordens de venda NumberOfUnitsCustomerInvoices=Numero de unidades nas faturas dos clientes @@ -113,6 +119,7 @@ NumberOfUnitsSupplierProposals=Número de unidades em propostas de fornecedores NumberOfUnitsSupplierOrders=Número de unidades em pedidos de compra NumberOfUnitsSupplierInvoices=Número de unidades em faturas de fornecedor NumberOfUnitsContracts=Número de unidades em contratos +NumberOfUnitsMos=Número de unidades a serem produzidas em ordens de produção EMailTextInterventionValidated=A intervenção %s foi validada EMailTextInvoiceValidated=A fatura %s foi validada. EMailTextInvoicePayed=A fatura %s foi paga. @@ -172,3 +179,7 @@ WEBSITE_IMAGEDesc=Caminho relativo da mídia de imagem. Você pode mantê-lo vaz LinesToImport=Linhas para importar MemoryUsage=Uso de memória RequestDuration=Duração do pedido +PopuProp=Produtos / Serviços por popularidade em propostas +PopuCom=Produtos / Serviços por popularidade em pedidos +ProductStatistics=Estatísticas de Produtos / Serviços +NbOfQtyInOrders=Quant. em pedidos diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang index 9d61b0be2e5..e3dcffe327a 100644 --- a/htdocs/langs/pt_BR/products.lang +++ b/htdocs/langs/pt_BR/products.lang @@ -13,6 +13,8 @@ ProductVatMassChangeDesc=Esta ferramenta atualiza a taxa de IVA definida em < MassBarcodeInit=Inicialização de código de barras. MassBarcodeInitDesc=Esta página pode ser usado para inicializar um código de barras em objetos que não têm código de barras definidas. Verifique antes que a instalação do módulo de código de barras é completa. ProductAccountancyBuyCode=Código contábil (compra) +ProductAccountancyBuyIntraCode=Código contábil (compra intracomunitária) +ProductAccountancyBuyExportCode=Código contábil (importação e compra) ProductAccountancySellCode=Código contábil (venda) ProductAccountancySellExportCode=Código contábil (exportação de venda) ProductsOnSale=Produtos para venda @@ -26,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=Últimas %s modificações de produtos/serviços LastRecordedProducts=Últimos %s produtos gravados LastRecordedServices=Últimos %s serviços gravados Stock=Estoque @@ -103,6 +104,7 @@ 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) ShortLabel=Etiqueta curta set=conjunto se=conjunto @@ -186,6 +188,9 @@ ConfirmDeleteProductBuyPrice=Tem certeza que que deseja excluir este preço de c ServiceSheet=Ficha do serviço UseProductFournDesc=Adicione uma característica para definir a descrição do produto definida pelo fornecedor em complemento a descrição para os clientes ProductSupplierDescription=Descrição do fornecedor do produto +UseProductSupplierPackaging=Usar embalagem nos preços do fornecedor (recalcular as quantidades de acordo com a embalagem definida no preço do fornecedor ao adicionar / atualizar a linha nos documentos do fornecedor) +PackagingForThisProduct=Embalagem +QtyRecalculatedWithPackaging=A quantidade da linha foi recalculada de acordo com a embalagem do fornecedor ProductAttributeDeleteDialog=Tem certeza que deseja excluir este atributo? Todos os valores serão excluídos NbOfDifferentValues=N°. de valores diferentes NbProducts=Número de produtos @@ -193,3 +198,4 @@ ParentProduct=Produto principal ActionAvailableOnVariantProductOnly=Ação disponível apenas na variante do produto ProductsPricePerCustomer=Preços de produto por cliente ProductSupplierExtraFields=Atributos adicionais (preços de fornecedores) +DeleteLinkedProduct=Excluir o produto filho vinculado à combinação diff --git a/htdocs/langs/pt_BR/projects.lang b/htdocs/langs/pt_BR/projects.lang index 21553851201..fd94ce607b0 100644 --- a/htdocs/langs/pt_BR/projects.lang +++ b/htdocs/langs/pt_BR/projects.lang @@ -44,6 +44,7 @@ TimeToBill=Hora não cobrada TimeBilled=Hora cobrada TaskDateEnd=Data final da tarefa AddTask=Criar tarefa +AddHereTimeSpentForWeek=Adicione aqui o tempo gasto para esta semana / tarefa Activities=Tarefas/atividades MyActivities=Minhas Tarefas/Atividades MyProjectsArea=Minha Área de projetos @@ -59,6 +60,7 @@ GoToListOfTimeConsumed=Ir para a lista de dispêndios de tempo ListOrdersAssociatedProject=Lista de pedidos de vendas relacionadas ao projeto ListSupplierOrdersAssociatedProject=Lista de ordens de compra relacionadas ao projeto ListSupplierInvoicesAssociatedProject=Lista de faturas do fornec. relacionadas ao projeto +ListMOAssociatedProject=Lista de ordens de fabricação relacionadas ao projeto ListTaskTimeUserProject=Lista de tempo consumido nas tarefas de projecto ActivityOnProjectYesterday=Atividade de ontem no projeto ActivityOnProjectThisWeek=Atividade ao Projeto esta Semana @@ -67,7 +69,7 @@ ActivityOnProjectThisYear=Atividade ao Projeto este Ano ChildOfProjectTask=Link do projeto/tarefa ChildOfTask=Criança de tarefa NotOwnerOfProject=Não é responsável deste projeto privado -CantRemoveProject=Este projeto não pode ser eliminado porque está referenciado por muito objetos (facturas, pedidos e outros). ver a lista no separador referencias. +CantRemoveProject=Este projeto não pode ser removido, pois é referenciado por outros objetos (fatura, pedidos ou outros). Veja a guia '%s'. ConfirmValidateProject=Você tem certeza que deseja validar este projeto? CloseAProject=Finalizar projeto ConfirmCloseAProject=Você tem certeza que deseja fechar este projeto? @@ -101,6 +103,8 @@ TaskDeletedInDolibarr=Tarefa %s excluída OpportunityStatusShort=Situação de um potencial contrato OpportunityProbabilityShort=Probab. de um potencial negócio OpportunityAmountShort=Quantidade de lead +OpportunityWeightedAmount=Valor ponderado da oportunidade +OpportunityWeightedAmountShort=Opp. quantidade ponderada OpportunityAmountAverageShort=Valor do potencial negócio OpportunityAmountWeigthedShort=Quantidade de lead ponderada WonLostExcluded=Ganho/Perda excluída @@ -112,6 +116,8 @@ SelectElement=Selecionar componente AddElement=Link para componente PlannedWorkload=carga horária planejada ProjectMustBeValidatedFirst=O projeto tem que primeiramente ser validado +FirstAddRessourceToAllocateTime=Atribuir um recurso do usuário como contato do projeto para alocar tempo +InputPerMonth=Entrada por mês ProjectsWithThisUserAsContact=Projetos com este usuário como contato TasksWithThisUserAsContact=As tarefas atribuídas a esse usuário ProjectOverview=Visão geral @@ -131,6 +137,7 @@ AllowToLinkFromOtherCompany=Permitir vincular projeto de outra empresa

LatestModifiedProjects=Últimos projetos modificados %s NoAssignedTasks=Nenhuma tarefa atribuída foi encontrada (atribua projeto/tarefas ao usuário atual na caixa de seleção superior para inserir a hora nele) ThirdPartyRequiredToGenerateInvoice=Um terceiro deve estar definido no projeto para que vc possa faturar contra ele +ChooseANotYetAssignedTask=Escolha uma tarefa ainda não atribuída a você DontHaveTheValidateStatus=O projeto %s deve estar aberto para ser fechado ModuleSalaryToDefineHourlyRateMustBeEnabled=Módulo 'Salário' deve estar habilitado para def. taxas hh, para ter o tempo gasto valorizado NewTaskRefSuggested=Tarefa ref. já usada, uma nova tarefa ref. é necessária @@ -141,7 +148,12 @@ ServiceToUseOnLines=Serviço para usar em linhas InvoiceGeneratedFromTimeSpent=Fatura %s foi gerada a partir do tempo gasto no projeto ProjectBillTimeDescription=Verifique se você inseriu a planilha de horas nas tarefas do projeto e planeja gerar faturas a partir da planilha de horas para cobrar do cliente do projeto (não verifique se planeja criar faturas que não sejam baseadas nas planilhas de horas inseridas). Nota: Para gerar fatura, vá na guia 'Tempo gasto' do projeto e selecione as linhas a serem incluídas. ProjectFollowOpportunity=Seguir oportunidade -ProjectFollowTasks=Siga as tarefas +ProjectFollowTasks=Siga tarefas ou tempo gasto +Usage=Uso UsageOpportunity=Uso: Oportunidade UsageTasks=Uso: Tarefas UsageBillTimeShort=Uso: tempo da conta +InvoiceToUse=Rascunho de fatura a ser usada +OneLinePerTask=Uma linha por tarefa +OneLinePerPeriod=Uma linha por período +RefTaskParent=Ref. Tarefa principal diff --git a/htdocs/langs/pt_BR/receiptprinter.lang b/htdocs/langs/pt_BR/receiptprinter.lang index 11d1313af80..27e47da6ab1 100644 --- a/htdocs/langs/pt_BR/receiptprinter.lang +++ b/htdocs/langs/pt_BR/receiptprinter.lang @@ -12,8 +12,10 @@ CONNECTOR_DUMMY=Impressora Virtual CONNECTOR_NETWORK_PRINT=Impressora de rede CONNECTOR_FILE_PRINT=Impressora local CONNECTOR_WINDOWS_PRINT=Impressora local do Windows +CONNECTOR_CUPS_PRINT=Impressora de copos CONNECTOR_DUMMY_HELP=Impressora Falsa para teste, não imprime nada CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@nomedocomputador/grupodetrabalho/Impressora do Recibo +CONNECTOR_CUPS_PRINT_HELP=Nome da impressora de copos, exemplo: HPRT_TP805L PROFILE_DEFAULT=Perfil Padrão PROFILE_EPOSTEP=Perfil Epos Tep PROFILE_STAR=Perfil Star @@ -35,3 +37,47 @@ DOL_ACTIVATE_BUZZER=Ative buzzer DOL_PRINT_QRCODE=Imprimir QR Code DOL_PRINT_LOGO=Imprimir logotipo da minha empresa DOL_PRINT_LOGO_OLD=Imprimir logotipo da minha empresa (impressoras antigas) +DOL_BOLD=Negrito +DOL_BOLD_DISABLED=Desabilitar negrito +DOL_DOUBLE_HEIGHT=Tamanho duplo para altura +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_PRINT_TEXT=Imprimir texto +DOL_VALUE_DATE_TIME=Data e hora da fatura +DOL_VALUE_YEAR=Ano da fatura +DOL_VALUE_MONTH_LETTERS=Ano da fatura +DOL_VALUE_MONTH=Ano da fatura +DOL_VALUE_DAY=Dia da fatura +DOL_VALUE_DAY_LETTERS=Data da fatura em letras +DOL_LINE_FEED_REVERSE=Alimentação de linha reversa +DOL_VALUE_OBJECT_ID=ID da fatura +DOL_VALUE_OBJECT_REF=Ref. de fatura +DOL_PRINT_OBJECT_LINES=Linhas da fatura +DOL_VALUE_CUSTOMER_FIRSTNAME=Nome do cliente +DOL_VALUE_CUSTOMER_LASTNAME=Sobrenome do cliente +DOL_VALUE_CUSTOMER_MAIL=E-mail do cliente +DOL_VALUE_CUSTOMER_PHONE=Telefone do cliente +DOL_VALUE_CUSTOMER_MOBILE=Celular do cliente +DOL_VALUE_CUSTOMER_SKYPE=Skype do cliente +DOL_VALUE_CUSTOMER_TAX_NUMBER=Número fiscal do cliente +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo da conta do cliente +DOL_VALUE_MYSOC_NAME=O nome da sua empresa +DOL_VALUE_MYSOC_ADDRESS=O endereço da sua empresa +DOL_VALUE_MYSOC_ZIP=Seu CEP +DOL_VALUE_MYSOC_TOWN=Sua cidade +DOL_VALUE_MYSOC_COUNTRY=Seu país +DOL_VALUE_MYSOC_IDPROF1=Seu IDPROF1 +DOL_VALUE_MYSOC_IDPROF2=Seu IDPROF2 +DOL_VALUE_MYSOC_IDPROF3=Seu IDPROF3 +DOL_VALUE_MYSOC_IDPROF4=Seu IDPROF4 +DOL_VALUE_MYSOC_IDPROF5=Seu IDPROF5 +DOL_VALUE_MYSOC_IDPROF6=Seu IDPROF6 +DOL_VALUE_MYSOC_TVA_INTRA=ID do IVA intracomunitário +DOL_VALUE_VENDOR_LASTNAME=Sobrenome do fornecedor +DOL_VALUE_VENDOR_FIRSTNAME=Nome do fornecedor +DOL_VALUE_VENDOR_MAIL=E-mail do fornecedor +DOL_VALUE_CUSTOMER_POINTS=Pontos do cliente +DOL_VALUE_OBJECT_POINTS=Pontos de objeto diff --git a/htdocs/langs/pt_BR/ticket.lang b/htdocs/langs/pt_BR/ticket.lang index b86333203b9..dfc5a295944 100644 --- a/htdocs/langs/pt_BR/ticket.lang +++ b/htdocs/langs/pt_BR/ticket.lang @@ -6,6 +6,7 @@ Permission56005=Ver tickets de todos os terceiros (não eficaz para usuários ex TicketDictType=Tickets - Tipos TicketDictCategory=Tickets - Grupos TicketDictSeverity=Tickets - Gravidades +TicketDictResolution=Ticket - Resolução TicketTypeShortBUGHARD=Mau funcionamento do hardware TicketTypeShortHELP=Pedido de ajuda funcional TicketTypeShortISSUE=Questão, bug ou problema @@ -45,7 +46,7 @@ TicketsActivatePublicInterfaceHelp=A interface pública permite que qualquer vis TicketNumberingModules=Módulo de numeração de bilhetes TicketNotifyTiersAtCreation=Notificar o terceiro no momento do terceiro TicketsDisableCustomerEmail=Sempre disabilitar e-mail quando um ticket é criado de uma interface pública -TicketsIndex=Bilhete - em casa +TicketsIndex=Área de Tickets TicketList=Lista de bilhetes TicketAssignedToMeInfos=Esta página mostra os tíquetes criado pelo ou assinalados para o usuário corrente NoTicketsFound=Nenhum bilhete encontrado diff --git a/htdocs/langs/pt_BR/users.lang b/htdocs/langs/pt_BR/users.lang index b6ba00dce9a..4aad9c9d6d1 100644 --- a/htdocs/langs/pt_BR/users.lang +++ b/htdocs/langs/pt_BR/users.lang @@ -99,3 +99,5 @@ CantDisableYourself=Você não pode desativar seu próprio registro de usuário ForceUserExpenseValidator=Forçar validação do relatório de despesas ForceUserHolidayValidator=Forçar validação da solicitação de licença ValidatorIsSupervisorByDefault=Por padrão, a validação é feita pelo supervisor do usuário. Mantenha vazio para continuar desta maneira. +UserPersonalEmail=E-mail pessoal +UserPersonalMobile=Celular pessoal diff --git a/htdocs/langs/pt_BR/website.lang b/htdocs/langs/pt_BR/website.lang index 13dbbd3b7e6..f6831fbc85d 100644 --- a/htdocs/langs/pt_BR/website.lang +++ b/htdocs/langs/pt_BR/website.lang @@ -30,6 +30,7 @@ ViewPageInNewTab=Visualizar página numa nova aba SetAsHomePage=Definir com Página Inicial RealURL=URL real ViewWebsiteInProduction=Visualizar website usando origem URLs +ExampleToUseInApacheVirtualHostConfig=Exemplo a ser usado na configuração do host virtual Apache: YouCanAlsoTestWithPHPS= Usar com servidor embutido em PHP
No ambiente de desenvolvimento, você pode preferir testar o site com o servidor da Web incorporado em PHP (o PHP 5.5 é necessário) executando o php -S 0.0. 0,0: 8080 -t %s TestDeployOnWeb=Testar / implementar na web PreviewSiteServedByWebServer= Visualize %s em uma nova guia.

O %s será servido por um servidor web externo (como Apache, Nginx, IIS). Você deve instalar e configurar este servidor antes de apontar para o diretório:
%s
URL servido por servidor externo:
%s @@ -47,6 +48,7 @@ FetchAndCreate=Procure e comece a criar BlogPost=Postagem do blog WebsiteAccounts=Conta do website AddWebsiteAccount=Criar conta do site +BackToListForThirdParty=Voltar à lista de terceiros DisableSiteFirst=Desativar o site primeiro MyContainerTitle=Título do meu site AnotherContainer=É assim que se inclui o conteúdo de outra página / contêiner (você pode ter um erro aqui se ativar o código dinâmico porque o subcontêiner incorporado pode não existir) @@ -54,6 +56,7 @@ SorryWebsiteIsCurrentlyOffLine=Desculpe, este site está off-line. Volte mais ta WEBSITE_USE_WEBSITE_ACCOUNTS=Habilitar a tabela da conta do site WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Ative a tabela para armazenar contas do site (login / senha) para cada site / terceiros YouMustDefineTheHomePage=Você deve primeiro definir a Home page padrão +OnlyEditionOfSourceForGrabbedContentFuture=Aviso: a criação de uma página da Web importando uma página da Web externa é reservada para usuários experientes. Dependendo da complexidade da página de origem, o resultado da importação pode ser diferente do original. Além disso, se a página de origem usar estilos CSS comuns ou javascript conflitante, poderá alterar a aparência ou os recursos do editor do site ao trabalhar nesta página. Esse método é uma maneira mais rápida de criar uma página, mas é recomendável criar sua nova página do zero ou de um modelo de página sugerido.
Observe também que o editor embutido pode não funcionar corretamente quando usado em uma página externa acessada. OnlyEditionOfSourceForGrabbedContent=Apenas uma edição de fonte HTML é possível quando o conteúdo foi extraído de um site externo GrabImagesInto=Pegue também imagens encontradas no css e na página. WebsiteRootOfImages=Diretório raiz para imagens do site @@ -79,5 +82,11 @@ ShowSubContainersOnOff=O modo de executar 'conteúdo dinâmico' é %s GlobalCSSorJS=Arquivo global CSS / JS / Cabeçalho do site BackToHomePage=Voltar à página inicial... TranslationLinks=Links de tradução -YouTryToAccessToAFileThatIsNotAWebsitePage=Você tenta acessar uma página que não faz parte do site UseTextBetween5And70Chars=Para boas práticas de SEO, use um texto entre 5 e 70 caracteres +MainLanguage=Idioma principal +OtherLanguages=Outras línguas +UseManifest=Forneça um arquivo manifest.json +PublicAuthorAlias=Alias ​​do autor público +AvailableLanguagesAreDefinedIntoWebsiteProperties=Os idiomas disponíveis são definidos nas propriedades do site +ReplacementDoneInXPages=Substituição feita em %s páginas ou contêineres +RSSFeedDesc=Você pode obter um feed RSS dos artigos mais recentes com o tipo 'blogpost' usando este URL diff --git a/htdocs/langs/pt_BR/withdrawals.lang b/htdocs/langs/pt_BR/withdrawals.lang index 51dcb379dd9..52bc2590904 100644 --- a/htdocs/langs/pt_BR/withdrawals.lang +++ b/htdocs/langs/pt_BR/withdrawals.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Área de pagamento dos pedidos com Débito direto -SuppliersStandingOrdersArea=Área dos pedidos com pagamento por Crédito direto StandingOrdersPayment=Pagamento dos pedidos com Débito direto StandingOrderPayment=Pedido com pagamento em Débito direto NewStandingOrder=Novo pedido para Débito direto @@ -9,16 +7,13 @@ WithdrawalsReceipts=Pedidos com Débito direto WithdrawalReceipt=Ordem de débito direto LastWithdrawalReceipts=Últimos %s arquivos de Débito direto WithdrawalsLines=Linhas do pedido para Débito direto -RequestStandingOrderToTreat=Solicitação para processar o pagamento do pedido por Débito direto -RequestStandingOrderTreated=Solicitação de pagamento do pedido por Débito direto processada NotPossibleForThisStatusOfWithdrawReceiptORLine=Ainda não é possível. Retirar o status deve ser definido como 'creditado' antes de declarar rejeitar em linhas específicas. NbOfInvoiceToWithdrawWithInfo=Nº. de fatura do cliente com ordens de pagamento por débito direto com informações definidas sobre a conta bancária InvoiceWaitingWithdraw=Fatura aguardando o Débito direto -NoInvoiceToWithdraw=Nenhuma Nota Fiscal do cliente com aberto 'Ordem de débito direto' está aguardando. Vá na guia '%s' no cartão de Nota Fiscal para fazer um pedido. +NoSupplierInvoiceToWithdraw=Nenhuma fatura de fornecedor com 'Solicitações de crédito diretas' abertas está aguardando. Vá na guia '%s' no cartão da fatura para fazer uma solicitação. ResponsibleUser=Usuário Responsável WithdrawalsSetup=Configuração do pagamento por Débito direto WithdrawStatistics=Estatísticas do pagamento por Débito direto -WithdrawRejectStatistics=Estatísticas de recusa do pagamento por Débito direto LastWithdrawalReceipt=Últimos %s recibos de Débito direto MakeWithdrawRequest=Efetuar um pedido de débito direto WithdrawRequestsDone=%s solicitações de pagamento de débito direto gravadas @@ -54,7 +49,6 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=No entanto, se a fatura tiver pelo me DoStandingOrdersBeforePayments=Esta aba lhe permite solicitar um pagamento de pedido por Débito direto. Uma vez feito, vá ao menu Banco->Pedidos com Débito Direto para gerenciar o pagamento dos pedidos com Débito direto. Quando o pagamento do pedido estiver fechado, o pagamento da fatura será automaticamente registrado, e a fatura fechada se o alerta para pagamento é nulo. WithdrawalFile=Arquivo Retirada SetToStatusSent=Defina o status "arquivo enviado" -ThisWillAlsoAddPaymentOnInvoice=Isso também registrará pagamentos em Notas Fiscais e classificá-las como "Paga" se permanecer para pagar é nulo StatisticsByLineStatus=Estatísticas por situação de linhas DateRUM=Data da assinatura RUMLong=Unique Mandate Reference (Referência Única de Mandato) diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang index 7718a78ead4..1f809ec4e87 100644 --- a/htdocs/langs/pt_PT/accountancy.lang +++ b/htdocs/langs/pt_PT/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Os próximos passos devem ser efetuados para ec AccountancyAreaDescActionFreq=As seguintes ações são normalmente executadas a cada mês, semana ou dia para grandes empresas... AccountancyAreaDescJournalSetup=PASSO %s: Crie o verifique o conteúdo do sua lista de diários a partir do menu %s -AccountancyAreaDescChartModel=PASSO %s: Crie um modelo de gráfico de conta no menu %s -AccountancyAreaDescChart=PASSO %s: Criar or verificar conteúdo do seu gráfico de conta no menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=PASSO %s: Defina a conta contabilística para cada taxa de IVA. Para tal pode usar a entrada %s do menu. AccountancyAreaDescDefault=STEP %s: definir contas contábeis padrão. Para isso, use a entrada do menu %s. diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index 691132ea152..c9857c299da 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Valor seguinte (faturas) NextValueForCreditNotes=Valor seguinte (notas de crédito) NextValueForDeposit=Valor seguinte (entrada inicial) NextValueForReplacements=Valor seguinte (restituições) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Nota: não está definido nenhum limite na sua configuração do PHP MaxSizeForUploadedFiles=Tamanho máximo para os ficheiros enviados (0 para rejeitar qualquer envio) UseCaptchaCode=Utilizar código gráfico (CAPTCHA) na página de iniciar a sessão @@ -207,7 +207,7 @@ ModulesMarketPlaces=Procurar aplicações/módulos externos ModulesDevelopYourModule=Desenvolva as suas próprias aplicações/módulos ModulesDevelopDesc=Você também pode desenvolver seu próprio módulo ou encontrar um parceiro para desenvolver um para você. DOLISTOREdescriptionLong=Em vez de ligar o site www.dolistore.com para encontrar um módulo externo, você pode usar essa ferramenta incorporada que fará a pesquisa no mercado externo para você (pode ser lento, precisa de um acesso à internet) ... -NewModule=Novo +NewModule=Novo módulo FreeModule=Livre CompatibleUpTo=Compatível com a versão %s NotCompatible=Este módulo não parece compatível com o seu Dolibarr %s (Min%s - Max%s). @@ -219,7 +219,7 @@ Nouveauté=Novidade AchatTelechargement=Comprar / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, o mercado oficial para módulos externos Dolibarr ERP/CRM -DoliPartnersDesc=Lista de empresas que fornecem módulos ou recursos desenvolvidos sob medida.
Nota: como o Dolibarr é um aplicativo de código aberto, qualquer pessoa experiente em programação PHP pode desenvolver um módulo. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Sites externos para módulos adicionais (não principais) ... DevelopYourModuleDesc=Algumas soluções para desenvolver seu próprio módulo ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Introduzida o número de telefone a ligar, de forma mostra RefreshPhoneLink=Atualizar hiperligação LinkToTest=Link gerado para o utilizador %s (clique no número de telefone para ligar) KeepEmptyToUseDefault=Deixar em branco para usar o valor por omissão +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Hiperligação predefinida SetAsDefault=Definir como predefinição ValueOverwrittenByUserSetup=Aviso: Este valor pode ter sido modificado pela configuração específica de um utilizador (cada utilizador pode definir o seu próprio link ClickToDial) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Código de barras em massa init para terceiros +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Inicialização ou reposição de códigos de barras em massa para produtos ou serviços CurrentlyNWithoutBarCode=Atualmente, você tem o registo %s em %s %s sem o código de barras definido. InitEmptyBarCode=Inicializar o valor para os próximos %s registos vazios @@ -541,8 +542,8 @@ Module54Name=Contractos/Subscrições Module54Desc=Gestão de contratos (serviços ou assinaturas recorrentes) Module55Name=Códigos de barras Module55Desc=Gestão dos códigos de barras -Module56Name=Central telefónica -Module56Desc=Gestão de central telefónica +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Gerenciamento de ordens de pagamento de débito direto. Inclui a geração de arquivos SEPA para os países europeus. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Aplicações/módulos disponíveis ToActivateModule=Para ativar os módulos, vá para a Área (Início->Configuração->Módulos). SessionTimeOut=Tempo limite para a sessão SessionExplanation=Este número garante que a sessão nunca expirará antes deste atraso, se o limpador de sessão for feito pelo limpador de sessão do PHP Interno (e nada mais). O limpador de sessão interno do PHP não garante que a sessão irá expirar após esse atraso. Ele irá expirar, após este atraso, e quando o limpador de sessão for executado, então todo acesso %s / %s , mas somente durante o acesso feito por outras sessões (se o valor for 0, significa que a limpeza da sessão é feito apenas por um processo externo).
Nota: em alguns servidores com um mecanismo de limpeza de sessão externa (cron em debian, ubuntu ...), as sessões podem ser destruídas após um período definido por uma configuração externa, não importa o que o valor inserido aqui é. +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. TriggersAvailable=Acionadores disponíveis TriggersDesc=Triggers são arquivos que modificarão o comportamento do fluxo de trabalho do Dolibarr quando copiados no diretório htdocs / core / triggers . Eles realizam novas ações, ativadas em eventos Dolibarr (criação de nova empresa, validação de fatura, ...). TriggerDisabledByName=Os acionadores neste ficheiro estão desativados pelo sufixo -NORUN presente no nome. @@ -1262,6 +1264,7 @@ FieldEdition=Edição do campo %s FillThisOnlyIfRequired=Exemplo: +2 (para preencher apenas se existir problemas de desvios de fuso horário) GetBarCode=Obter código de barras NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Devolve uma palavra-passe gerada pelo algoritmo interno Dolibarr: 8 caracteres no mínimo, contendo números e letras minúsculas. PasswordGenerationNone=Não sugira uma senha gerada. A senha deve ser digitada manualmente. @@ -1844,6 +1847,7 @@ MailToThirdparty=Terceiros MailToMember=Membros MailToUser=Utilizadores MailToProject=Página de projetos +MailToTicket=Tickets ByDefaultInList=Mostrar por padrão na vista de lista YouUseLastStableVersion=Você possui a última versão estável TitleExampleForMajorRelease=Exemplo de mensagem que você pode usar para anunciar esta versão principal (sinta-se livre para usá-la nas suas páginas da Internet) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/pt_PT/agenda.lang b/htdocs/langs/pt_PT/agenda.lang index 8068ff11959..f954c6cb193 100644 --- a/htdocs/langs/pt_PT/agenda.lang +++ b/htdocs/langs/pt_PT/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Orçamento eliminado OrderDeleted=Encomenda eliminada InvoiceDeleted=Fatura eliminada +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=O produto %s foi criado PRODUCT_MODIFYInDolibarr=O produto %s foi modificado PRODUCT_DELETEInDolibarr=O produto %s foi eliminado HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Relatório de despesas %s, criado EXPENSE_REPORT_VALIDATEInDolibarr=Relatório de despesas %s, validado @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Modelos de documento para o evento DateActionStart=Data de início @@ -151,3 +154,6 @@ EveryMonth=Mensalmente DayOfMonth=Dia do mês DayOfWeek=Dia da semana DateStartPlusOne=Data de início +1 hora +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang index ffe09088f18..6352f8dca67 100644 --- a/htdocs/langs/pt_PT/banks.lang +++ b/htdocs/langs/pt_PT/banks.lang @@ -37,6 +37,8 @@ IbanValid=BAN válido IbanNotValid=BAN inválido StandingOrders=Encomendas de débito direto StandingOrder=Encomenda de Débito Direto +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Extracto AccountStatementShort=Extracto AccountStatements=Extractos diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index 0aeb6ee5df7..f3f6d90a16e 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Desconto oferecido EscompteOfferedShort=Desconto SendBillRef=Submissão da fatura %s SendReminderBillRef=Submissão da fatura %s (lembrete) -StandingOrders=Encomendas de débito direto -StandingOrder=Encomenda de débito direto NoDraftBills=Nenhuma fatura rascunho NoOtherDraftBills=Nenhuma outra fatura rascunho NoDraftInvoices=Sem rascunhos de faturas @@ -572,3 +570,6 @@ AutoFillDateToShort=Definir data final MaxNumberOfGenerationReached=Número máximo de gen. alcançado BILL_DELETEInDolibarr=Fatura eliminada BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/pt_PT/cashdesk.lang b/htdocs/langs/pt_PT/cashdesk.lang index 43080da1bfc..8bda271dcc0 100644 --- a/htdocs/langs/pt_PT/cashdesk.lang +++ b/htdocs/langs/pt_PT/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/pt_PT/categories.lang b/htdocs/langs/pt_PT/categories.lang index 0422445a3f1..83d5b2c3f6d 100644 --- a/htdocs/langs/pt_PT/categories.lang +++ b/htdocs/langs/pt_PT/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Etiquetas/Categorias de contas ProjectsCategoriesShort=Etiquetas/Categorias de projetos UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Esta categoria não contem nenhum produto. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Esta categoria não contem a nenhum cliente. -ThisCategoryHasNoMember=Esta categoria não contém nenhum membro. -ThisCategoryHasNoContact=Esta categoria não contém qualquer contato. -ThisCategoryHasNoAccount=Esta categoria não contém nenhuma conta. -ThisCategoryHasNoProject=Esta categoria não contem qualquer projeto. +ThisCategoryHasNoItems=This category does not contain any items. CategId=ID de etiqueta/categoria CatSupList=List of vendor tags/categories CatCusList=Lista de etiquetas/categorias de clientes/prospecções @@ -92,4 +86,5 @@ ByDefaultInList=Por predefinição na lista ChooseCategory=Escolha a categoria StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang index 79d4c087127..473bd62d9a2 100644 --- a/htdocs/langs/pt_PT/companies.lang +++ b/htdocs/langs/pt_PT/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Área de prospeção IdThirdParty=ID Terceiro IdCompany=Id Empresa IdContact=Id Contacto -Contacts=Contactos ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Empresa @@ -298,7 +297,8 @@ AddContact=Criar contacto AddContactAddress=Novo contacto/morada EditContact=Editar contato / endereço EditContactAddress=Editar contactos/endereços -Contact=Contacto +Contact=Contact/Address +Contacts=Contactos ContactId=ID de contacto ContactsAddresses=Contato / Endereços FromContactName=Nome: @@ -325,7 +325,8 @@ CompanyDeleted=A Empresa "%s" foi Eliminada ListOfContacts=Lista de Contactos ListOfContactsAddresses=Lista de Contactos ListOfThirdParties=Lista de Terceiros -ShowContact=Mostrar Contacto +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Todos (sem filtro) ContactType=Tipo de Contacto ContactForOrders=Contacto para Pedidos @@ -424,7 +425,7 @@ ListSuppliersShort=Lista de Fornecedores ListProspectsShort=Lista de Perspectivas ListCustomersShort=Lista de Clientes ThirdPartiesArea=Terceiros / Contatos -LastModifiedThirdParties=Última %s modificado Terceiros +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total de Terceiros InActivity=Aberto ActivityCeased=Fechado diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang index b86e65b680a..3fb60d6896a 100644 --- a/htdocs/langs/pt_PT/errors.lang +++ b/htdocs/langs/pt_PT/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Atenção, o número de destina WarningDateOfLineMustBeInExpenseReportRange=Atenção, a data da linha não está no intervalo do relatório de despesas WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/pt_PT/hrm.lang b/htdocs/langs/pt_PT/hrm.lang index 9728633be5a..e53c8992cc4 100644 --- a/htdocs/langs/pt_PT/hrm.lang +++ b/htdocs/langs/pt_PT/hrm.lang @@ -5,12 +5,13 @@ Establishments=Estabelecimento Establishment=Estabelecimento NewEstablishment=Novo estabelecimento DeleteEstablishment=Eliminar estabelecimento -ConfirmDeleteEstablishment=Tem a certeza que deseja eliminar este estabelecimento? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Abrir estabelecimento CloseEtablishment=Fechar estabelecimento # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=GRH - Lista departamentos -DictionaryFunction=GRH - Lista de funções +DictionaryFunction=HRM - Job positions # Module Employees=Funcionários Employee=Funcionário diff --git a/htdocs/langs/pt_PT/install.lang b/htdocs/langs/pt_PT/install.lang index a13fa7eba64..3d733cb8bfe 100644 --- a/htdocs/langs/pt_PT/install.lang +++ b/htdocs/langs/pt_PT/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Erro (s) foram relatados durante o processo de migraç YouTryInstallDisabledByDirLock=O aplicativo tentou fazer o upgrade automático, mas as páginas de instalação / atualização foram desativadas para segurança (o diretório foi renomeado com o sufixo .lock).
YouTryInstallDisabledByFileLock=O aplicativo tentou fazer o upgrade automático, mas as páginas de instalação / atualização foram desativadas para segurança (pela existência de um arquivo de bloqueio install.lock no diretório de documentos dolibarr). ClickHereToGoToApp=Clique aqui para ir ao seu aplicativo -ClickOnLinkOrRemoveManualy=Clique no link a seguir. Se você sempre vê esta mesma página, você deve remover / renomear o arquivo install.lock no diretório de documentos. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index 0b8162089a5..0e4bce5b52b 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Nenhum modelo disponível para este tipo de e-mail AvailableVariables=Variáveis de substituição disponíveis NoTranslation=Sem tradução Translation=Tradução -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nenhum foi encontrado nenhum registo NoRecordDeleted=Nenhum registo eliminado NotEnoughDataYet=Não existe dados suficientes @@ -187,6 +187,8 @@ ShowCardHere=Mostrar ficha Search=Procurar SearchOf=Procurar SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Confirmar Approve=Aprovar Disapprove=Desaprovar @@ -426,6 +428,7 @@ Modules=Módulos/Aplicações Option=Opção List=Lista FullList=Lista Completa +FullConversation=Full conversation Statistics=Estatísticas OtherStatistics=Outras estatísticas Status=Estado @@ -663,6 +666,7 @@ Owner=Proprietário FollowingConstantsWillBeSubstituted=As seguintes constantes serão substituidas pelo seu valor correspondente. Refresh=Actualizar BackToList=Voltar para a lista +BackToTree=Back to tree GoBack=Voltar CanBeModifiedIfOk=Pode ser modificado se for válido CanBeModifiedIfKo=Pode ser modificado senão for válido @@ -839,6 +843,7 @@ Sincerely=Atenciosamente ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Apagar a linha ConfirmDeleteLine=Tem a certeza que deseja eliminar esta linha? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Não existia documento PDF disponível para a geração de documentos entre os registos assinalados TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Nenhum registo selecionado @@ -953,6 +958,7 @@ SearchIntoMembers=Membros SearchIntoUsers=Utilizadores SearchIntoProductsOrServices=Produtos ou serviços SearchIntoProjects=Projetos +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tarefas SearchIntoCustomerInvoices=Faturas a clientes SearchIntoSupplierInvoices=Faturas do fornecedor @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/pt_PT/modulebuilder.lang b/htdocs/langs/pt_PT/modulebuilder.lang index 8fde0ce0fc6..416c94c117f 100644 --- a/htdocs/langs/pt_PT/modulebuilder.lang +++ b/htdocs/langs/pt_PT/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Zona de perigo BuildPackage=Pacote de construção BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Criar documentação -ModuleIsNotActive=Este módulo não está ativado ainda. Vá até %s para fazê-lo funcionar ou clique aqui: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Descrição longa EditorName=Nome do editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/pt_PT/mrp.lang b/htdocs/langs/pt_PT/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/pt_PT/mrp.lang +++ b/htdocs/langs/pt_PT/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index 0a33852c36e..adecd38170f 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -85,8 +85,8 @@ MaxSize=Tamanho Máximo AttachANewFile=Adicionar um novo documento/ficheiro LinkedObject=Objecto adjudicado NbOfActiveNotifications=Número de notificações (nº de emails de destinatários) -PredefinedMailTest=__(Olá)__\nEste é um email de teste enviado para __EMAIL__.\nAs duas linhas são separadas por um retorno de carro.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Olá)__\nEste é um teste mail (a palavra teste deve estar em negrito).
As duas linhas são separadas por um retorno de carro.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Olá)__\n\n\n__(Atenciosamente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index ed279a0744a..0ca4ef598b4 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=Os %s últimos produtos/serviços modificados +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Os últimos %s produtos registados LastRecordedServices=Os últimos %s serviços registados CardProduct0=Produto @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Nota (não visível nas faturas, orçamentos, ...) ServiceLimitedDuration=Sim o serviço é de Duração limitada : MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Nº de preços +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Ativar produtos virtuais (kits) AssociatedProducts=Produtos virtuais AssociatedProductsNumber=Nº de produtos associados diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index 7720b8f1c77..36f0797b630 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Filho da tarefa TaskHasChild=Tarefa tem filho NotOwnerOfProject=Não é responsável por este projeto privado AffectedTo=Atribuido a -CantRemoveProject=Este projeto não pode ser eliminado porque está referenciado por alguns objetos (faturas, pedidos e outros). ver lista de referencias. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validar projeto ConfirmValidateProject=Tem certeza de que deseja validar este projeto? CloseAProject=Fechar projeto @@ -265,3 +265,4 @@ NewInvoice=Nova fatura OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/pt_PT/receptions.lang b/htdocs/langs/pt_PT/receptions.lang index 77c89194551..f6a08b9543d 100644 --- a/htdocs/langs/pt_PT/receptions.lang +++ b/htdocs/langs/pt_PT/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Quantidade de produtos da encomend ValidateOrderFirstBeforeReception=Você deve primeiro validar a encomenda antes de poder fazer recepções. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/pt_PT/stocks.lang b/htdocs/langs/pt_PT/stocks.lang index 2cf191876b7..99c976ac315 100644 --- a/htdocs/langs/pt_PT/stocks.lang +++ b/htdocs/langs/pt_PT/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PMP EnhancedValueOfWarehouses=Valor de stocks UserWarehouseAutoCreate=Crie um armazém de usuários automaticamente ao criar um usuário AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Armazém predefinido +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Estoque de produto e subproduto são independentes QtyDispatched=Quantidade desagregada QtyDispatchedShort=Qt. despachada @@ -123,6 +130,7 @@ WarehouseForStockDecrease=O depósito %s será usado para redução de WarehouseForStockIncrease=O depósito %s será usado para aumentar o estoque ForThisWarehouse=Para este armazém ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Reabastecimentos NbOfProductBeforePeriod=Quantidade de produto %s em estoque antes do período selecionado (<%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/pt_PT/ticket.lang b/htdocs/langs/pt_PT/ticket.lang index a231d7c7096..656bd0469ca 100644 --- a/htdocs/langs/pt_PT/ticket.lang +++ b/htdocs/langs/pt_PT/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Módulo de numeração de ingressos TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupo TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Área de Pedidos +TicketsIndex=Tickets area TicketList=Lista de tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=Nenhum ticket encontrado diff --git a/htdocs/langs/pt_PT/website.lang b/htdocs/langs/pt_PT/website.lang index db1c9d13c3a..a94862e8054 100644 --- a/htdocs/langs/pt_PT/website.lang +++ b/htdocs/langs/pt_PT/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Arquivo Robot (robots.txt) WEBSITE_HTACCESS=Arquivo .htaccess do site WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=Cabeçalho HTML (especificar apenas para esta página) PageNameAliasHelp=Nome ou alias da página.
Este alias também é usado para forjar uma URL SEO quando o site é executado a partir de um host virtual de um servidor Web (como Apacke, Nginx, ...). Use o botão " %s " para editar este alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=Feed RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/pt_PT/withdrawals.lang b/htdocs/langs/pt_PT/withdrawals.lang index 7a63c003b00..b66f1ea48ae 100644 --- a/htdocs/langs/pt_PT/withdrawals.lang +++ b/htdocs/langs/pt_PT/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Área das ordens de pagamento de débito direto -SuppliersStandingOrdersArea=Área das ordens de pagamento de débito direto +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Ordens de pagamento de débito direto StandingOrderPayment=Débito direto NewStandingOrder=Nova ordem de pagamento de débito direto +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Para processar +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Encomenda de débito direto WithdrawalReceipt=Encomenda de Débito Direto +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Últimos arquivos de débito direto %s +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Linhas de ordem de débito direto -RequestStandingOrderToTreat=Pedido para ordem de pagamento por débito direto a processar -RequestStandingOrderTreated=Pedido de ordem de pagamento por débito direto processado +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Ainda não é possível. Retirar status deve ser definido como 'creditado' antes de declarar rejeitar em linhas específicas. -NbOfInvoiceToWithdraw=N.º de fatura qualificada com pedido de débito direto em espera +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Nº de fatura do cliente com ordens de pagamento por débito direto com informações definidas sobre a conta bancária +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Fatura a aguardar por débito direto +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Quantidade a Levantar -WithdrawsRefused=Débito direto recusado -NoInvoiceToWithdraw=Não existe nenhuma fatura à espera com 'Pedidos de débito direto' abertos. Vá ao separador '%s' na ficha da fatura para fazer um pedido. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Configurar pagamento de débito direto +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Estatísticas de pagamento de débito direto -WithdrawRejectStatistics=Estatísticas de pagamento de débito direto rejeitado +CreditTransferStatistics=Credit transfer statistics +Rejects=Reprovado LastWithdrawalReceipt=Últimos recibos de débito direto %s MakeWithdrawRequest=Efetuar um pedido de pagamento por débito direto WithdrawRequestsDone=Pedidos de pagamento por débito direto %s registrados @@ -34,7 +50,9 @@ TransMetod=Método de transmissão Send=Enviar Lines=Linhas StandingOrderReject=Emitir uma rejeição +WithdrawsRefused=Débito direto recusado WithdrawalRefused=Levantamento rejeitado +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Tem certeza que quer entrar com uma rejeição de levantamento para a sociedade RefusedData=Data de rejeição RefusedReason=Motivo da rejeição @@ -58,6 +76,8 @@ StatusMotif8=Outro motivo CreateForSepaFRST=Criar arquivo de débito direto (SEPA FRST) CreateForSepaRCUR=Criar arquivo de débito direto (SEPA RCUR) CreateAll=Criar arquivo de débito direto (todos) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Apenas escritório CreateBanque=Apenas banco OrderWaiting=À espera de tratamento @@ -67,6 +87,7 @@ NumeroNationalEmetter=Número Nacional de Transmissor WithBankUsingRIB=Para contas bancárias usando RIB WithBankUsingBANBIC=Para contas bancárias usando IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Crédito em WithdrawalFileNotCapable=Não é possível gerar o arquivo de recibo de retirada para o seu país %s (Seu país não é suportado) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=Essa guia permite que você solicite uma ordem de pagamento por débito direto. Uma vez feito, entre no menu Banco-> Débito Direto para administrar a ordem de pagamento por débito direto. Quando a ordem de pagamento é encerrada, o pagamento na fatura será registrado automaticamente e a fatura será encerrada se o restante a pagar for nulo. WithdrawalFile=arquivo retirado SetToStatusSent=Definir o estado como "Ficheiro Enviado" -ThisWillAlsoAddPaymentOnInvoice=Isso também registrará os pagamentos para as faturas e os classificará como "Pago" se o restante a pagar for nulo +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Estatísticas por status de linhas -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Referência de mandato exclusivo RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index 3f2c550facb..ce99797f0d1 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Următorii pași trebuie făcuți pentru a vă AccountancyAreaDescActionFreq=Următoarele acțiuni sunt executate de obicei în fiecare lună, săptămână sau zi pentru companii foarte mari ... AccountancyAreaDescJournalSetup=PASUL %s: Creați sau verificați conținutul jurnalului din meniu %s -AccountancyAreaDescChartModel=PASUL %s: Creați un model de plan de cont din meniul %s -AccountancyAreaDescChart=PASUL %s: Creați sau verificați conținutul planului dvs. de conturi din meniul %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=PASUL %s: Definirea conturilor contabile pentru fiecare TVA. Pentru aceasta, utilizați intrarea din meniu %s. AccountancyAreaDescDefault=PAS %s: Definiți conturile implicite de contabilitate. Pentru aceasta, utilizați intrarea în meniu %s. diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index 9118285a109..8c5c0981a24 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Urmatoarea valoare (facturi) NextValueForCreditNotes=Urmatoarea valoare (credit note) NextValueForDeposit=Valoarea următoare (plata în avans) NextValueForReplacements=Urmatoarea valoare(înlocuiri) -MustBeLowerThanPHPLimit=Notă: configurația dvs. PHP limitează în prezent dimensiunea maximă a fișierului pentru încărcare la %s %s, indiferent de valoarea acestui parametru +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Notă: Nicio limită setată în configuraţia dvs. PHP MaxSizeForUploadedFiles=Mărimea maximă pentru fişierele încărcate (0 pentru a interzice orice încărcare) UseCaptchaCode=Utilizaţi codul grafic (CAPTCHA) pe pagina de login @@ -207,7 +207,7 @@ ModulesMarketPlaces=Găsiți aplicația / modulele externe ModulesDevelopYourModule=Dezvoltați-vă propriile aplicații / module ModulesDevelopDesc=De asemenea, va puteți dezvolta propriul modul sau puteți găsi un partener pentru a vă dezvolta unul. DOLISTOREdescriptionLong=În loc să porniți site-ul web www.dolistore.com pentru a găsi un modul extern, puteți utiliza acest instrument încorporat care va efectua căutarea pe piața externă pentru dvs. (poate fi lentă, are nevoie de acces la internet) ... -NewModule=Nou +NewModule=Modul nou FreeModule=Liber CompatibleUpTo=Compatibil cu versiunea %s NotCompatible=Acest modul nu pare compatibil cu Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Noutate AchatTelechargement=Cumpărați / Descărcați GoModuleSetupArea=Pentru a implementa / instala un nou modul, accesați zona de configurare a modulelor: %s . DoliStoreDesc=DoliStore, market place oficial pentru module externe Dolibarr ERP / CRM -DoliPartnersDesc=Lista companiilor care oferă module sau caracteristici dezvoltate la comandă.
Nota: deoarece Dolibarr este o aplicație open source, oricine cu experiență în programarea PHP poate dezvolta un modul. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Site-uri externe pentru module suplimentare (non-core) ... DevelopYourModuleDesc=Unele soluții pentru a vă dezvolta propriul modul ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Introduceți un număr de telefon pentru a afișa un link RefreshPhoneLink=Refresh link LinkToTest=Link accesibil generat pentru utilizatorul % s (faceți clic pe numărul de telefon pentru a testa) KeepEmptyToUseDefault=Lasă gol pentru utilizarea valorii implicite +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Link implicit SetAsDefault=Setați ca implicit ValueOverwrittenByUserSetup=Atenție, această valoare poate fi suprascrisă de setările specifice utilizatorului (fiecare utilizator poate seta propriul url clicktodial) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Cod de bare de masă pentru terți +BarcodeInitForThirdparties=Cod de bare de masă pentru terți BarcodeInitForProductsOrServices=Init sau reset cod de bare în masă pentru produse şi servicii CurrentlyNWithoutBarCode=În prezent, aveti %s inregistrari pe %s %s fără cod de bare definit. InitEmptyBarCode=Valoare inițializare pentru următoarele %s înregistrări goale @@ -541,8 +542,8 @@ Module54Name=Contracte / Abonamente Module54Desc=Gestionarea contractelor (servicii sau abonamente periodice) Module55Name=Coduri de bare Module55Desc=Coduri de bare "de gestionare a -Module56Name=Telefonie -Module56Desc=Telefonie integrare +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Plăți debitoare bancare directe Module57Desc=Gestionarea ordinelor de plată directă. Aceasta include generarea dosarului SEPA pentru țările europene. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Aplicații/module disponibile ToActivateModule=Pentru a activa modulele, du-te la zona de configurare. SessionTimeOut=Time out pentru sesiune SessionExplanation=Acest număr garantează că sesiunea nu va expira niciodată înainte de această întârziere, în cazul în care curățarea sesiunii este efectuată de Cleaner intern pentru sesiuni PHP (și nimic altceva). Interfața de curățare internă a sesiunii PHP nu garantează că sesiunea va expira după această întârziere. Va expira, după această întârziere și atunci când curățătorul sesiunii va fi rulat, astfel încât fiecare %s / %s , acces dar numai în timpul accesului realizat de alte sesiuni (dacă valoarea este 0, înseamnă că ștergerea sesiunii se face numai printr-un proces extern).
Notă: pe unele servere cu mecanism extern de curățare a sesiunilor (cron sub debian, ubuntu ...) sesiunile pot fi distruse după o perioadă definită de o configurație externă, indiferent de valoarea introdusă aici. +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. TriggersAvailable=Disponibil declanşează TriggersDesc=Triggerele sunt fișiere care vor modifica comportamentul fluxului de lucru Dolibarr după copierea în director htdocs / core / triggers . Ei realizează acțiuni noi, activate la evenimentele Dolibarr (creare de noi companii, validare facturi ...). TriggerDisabledByName=Declanşările în acest dosar sunt dezactivate de-NoRun sufix în numele lor. @@ -1262,6 +1264,7 @@ FieldEdition=Editarea campului %s FillThisOnlyIfRequired=Exemplu: +2 (completați numai dacă problemele decalajjului fusului orar sunt cunoscute) GetBarCode=Dă codbare NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Întoarceţi-vă o parolă generate în funcţie de interne Dolibarr algoritmul: 8 caractere care conţin numere în comun şi în caractere minuscule. PasswordGenerationNone=Nu sugerați o parolă generată. Parola trebuie introdusă manual. @@ -1844,6 +1847,7 @@ MailToThirdparty=Terţi MailToMember=Membri MailToUser=Utilizatori MailToProject=Pagina de proiecte +MailToTicket=Tichete ByDefaultInList=Afișați în mod implicit în vizualizarea listei YouUseLastStableVersion=Utilizați ultima versiune stabilă TitleExampleForMajorRelease=Exemplu de mesaj pe care îl puteți utiliza pentru a anunța această lansare majoră (nu ezitați să o utilizați pe site-urile dvs.) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ro_RO/agenda.lang b/htdocs/langs/ro_RO/agenda.lang index 415525053a0..c08911c3c31 100644 --- a/htdocs/langs/ro_RO/agenda.lang +++ b/htdocs/langs/ro_RO/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervenția %s trimisă prin e-mail ProposalDeleted=Ofertă ştearsă OrderDeleted=Comandă ştearsă InvoiceDeleted=Factură ştearsă +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Produs%s creat PRODUCT_MODIFYInDolibarr=Produs %s modificat PRODUCT_DELETEInDolibarr=Produs %s sters HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Raport cheltuieli %s creat EXPENSE_REPORT_VALIDATEInDolibarr=Raport cheltuieli %s validat @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Șabloane de documente pentru eveniment DateActionStart=Data începerii @@ -151,3 +154,6 @@ EveryMonth=Fiecare lună DayOfMonth=Zi a lunii DayOfWeek=Zi a saptamanii DateStartPlusOne=Dată început + 1 ora +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang index 2ce65bbfcc6..37592f551ea 100644 --- a/htdocs/langs/ro_RO/banks.lang +++ b/htdocs/langs/ro_RO/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valabil SwiftVNotalid=BIC/SWIFT invalid IbanValid=BAN valabil IbanNotValid=BAN invalid -StandingOrders=Ordine de plată directe +StandingOrders=Comenzi debit direct StandingOrder=Ordin de plată direct +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Extras Cont AccountStatementShort=Extras AccountStatements=Extrase Cont diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index 29729435af0..d689ef1eedc 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount oferit ( plată înainte de termen) EscompteOfferedShort=Discount SendBillRef=Trimitere factura %s SendReminderBillRef=Trimitere factura %s ( memento) -StandingOrders=Comenzi debit direct -StandingOrder=Comandă debit direct NoDraftBills=Nicio factură schiţă NoOtherDraftBills=Nicio altă factură schiţă NoDraftInvoices=Nicio factură schiţă @@ -572,3 +570,6 @@ AutoFillDateToShort=Setați data de încheiere MaxNumberOfGenerationReached=Numărul maxim de gen. atins BILL_DELETEInDolibarr=Factură ştearsă BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ro_RO/cashdesk.lang b/htdocs/langs/ro_RO/cashdesk.lang index 785065d2cf1..cc7f4aa722d 100644 --- a/htdocs/langs/ro_RO/cashdesk.lang +++ b/htdocs/langs/ro_RO/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ro_RO/categories.lang b/htdocs/langs/ro_RO/categories.lang index f92f413efc1..1f4f06fac43 100644 --- a/htdocs/langs/ro_RO/categories.lang +++ b/htdocs/langs/ro_RO/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Tag-uri / Categorii Contabilitate ProjectsCategoriesShort=Etichete / categorii de proiecte UsersCategoriesShort=Etichetele/categoriile utilizatorilor StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Această categorie nu conţine nici un produs. -ThisCategoryHasNoSupplier=Această categorie nu conține niciun furnizor. -ThisCategoryHasNoCustomer=Această categorie nu conţine nici un client. -ThisCategoryHasNoMember=Această categorie nu conţine nici un membru. -ThisCategoryHasNoContact=Această categorie nu conţine nici un contact -ThisCategoryHasNoAccount=Această categorie nu conţine nici un cont -ThisCategoryHasNoProject=Această categorie nu conține niciun proiect. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Id Tag / Categorie CatSupList=Lista de etichete/categorii furnizori CatCusList=Lista Categorii/ taguri clienţi / prospecte @@ -92,4 +86,5 @@ ByDefaultInList=Implicit în listă ChooseCategory=Alegeți categoria StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ro_RO/companies.lang b/htdocs/langs/ro_RO/companies.lang index 0f27f96698a..0fa8aa59667 100644 --- a/htdocs/langs/ro_RO/companies.lang +++ b/htdocs/langs/ro_RO/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospecte IdThirdParty=ID Terţ IdCompany=ID Societate IdContact=Id Contact -Contacts=Contacte ThirdPartyContacts=Contactele terți ThirdPartyContact=Contact / adresă terț Company=Societate @@ -298,7 +297,8 @@ AddContact=Creare contact AddContactAddress=Creare contact/adresă EditContact=Editare contact EditContactAddress=Editează contact -Contact=Contact +Contact=Contact/Address +Contacts=Contacte ContactId=Id contact ContactsAddresses=Contacte FromContactName=Nume: @@ -325,7 +325,8 @@ CompanyDeleted=Societatea " %s" a fost ştearsă din baza de date. ListOfContacts=Lista Contacte ListOfContactsAddresses=Lista Contacte ListOfThirdParties=Lista terților -ShowContact=Afişeză contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Toate (fără filtru) ContactType=Tip Contact ContactForOrders=Contact Comenzi @@ -424,7 +425,7 @@ ListSuppliersShort=Lista furnizori ListProspectsShort=Lista prospecte ListCustomersShort=Lista clienți ThirdPartiesArea=Terțe/Contacte -LastModifiedThirdParties=Ultimii %s Terți modificaţi +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Totalul terţilor InActivity=Deschis ActivityCeased=Închis diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index 81bd2acc725..4b6d260ba7c 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Avertisment, numărul destinata WarningDateOfLineMustBeInExpenseReportRange=Avertisment, data liniei nu este în intervalul raportului de cheltuieli WarningProjectClosed=Proiectul este închis. Trebuie să-l redeschideți mai întâi. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ro_RO/hrm.lang b/htdocs/langs/ro_RO/hrm.lang index ee3feae040c..d7ec912e84f 100644 --- a/htdocs/langs/ro_RO/hrm.lang +++ b/htdocs/langs/ro_RO/hrm.lang @@ -5,12 +5,13 @@ Establishments=Sedii Establishment=Sediu NewEstablishment=Sediu nou DeleteEstablishment=Sterge Sediu -ConfirmDeleteEstablishment=Sunteți sigur că doriti ștergerea acestei unităti? +ConfirmDeleteEstablishment=Sigur doriți să ștergeți această unitate? OpenEtablishment=Deschide Sediu CloseEtablishment=Inchide Sediu # Dictionary +DictionaryPublicHolidays=Managementul resurselor umane - Sarbatori oficiale DictionaryDepartment=HRM - Lista Departamente -DictionaryFunction=HRM - Lista Functiuni +DictionaryFunction=HRM - Job positions # Module Employees=Angajati Employee=Angajat diff --git a/htdocs/langs/ro_RO/install.lang b/htdocs/langs/ro_RO/install.lang index ed434445473..3326458dfa7 100644 --- a/htdocs/langs/ro_RO/install.lang +++ b/htdocs/langs/ro_RO/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Eroarea (erorile) au fost raportate în timpul procesu YouTryInstallDisabledByDirLock=Aplicația a încercat să se autoactualizeze, însă paginile de instalare/upgrade au fost dezactivate pentru securitate (directorul redenumit cu sufixul .lock).
YouTryInstallDisabledByFileLock=Aplicația a încercat să se autoactualizeze, însă paginile de instalare / upgrade au fost dezactivate pentru securitate (prin existența unui fișier de blocare install.lock în directorul de documente Dolibarr).
ClickHereToGoToApp=Faceți clic aici pentru a merge la aplicația dvs. -ClickOnLinkOrRemoveManualy=Faceți clic pe următorul link. Dacă vedeți întotdeauna aceeași pagină, trebuie să eliminați / redenumiți fișierul install.lock din directorul de documente. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index b9026ccd039..f2c6a10c15b 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Nu există șablon disponibil pentru acest tip de email AvailableVariables=Variabile substitutie disponibil NoTranslation=Fără traducere Translation=Traduceri -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nicio înregistrare gasită NoRecordDeleted=Nu s-au șters înregistrări NotEnoughDataYet=Nu sunt date @@ -187,6 +187,8 @@ ShowCardHere=Arăta fişa aici Search=Caută SearchOf=Căutare SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Validează Approve=Aprobaţi Disapprove=Dezaproba @@ -426,6 +428,7 @@ Modules=Module/Aplicații Option=Opţiunea List=Lista FullList=Lista completă +FullConversation=Full conversation Statistics=Statistici OtherStatistics=Alte statistici Status=Status @@ -663,6 +666,7 @@ Owner=Proprietar FollowingConstantsWillBeSubstituted=Următoarele constante vor fi înlocuite cu valoarea corespunzătoare. Refresh=Refresh BackToList=Inapoi la lista +BackToTree=Back to tree GoBack=Du-te înapoi CanBeModifiedIfOk=Poate fi modificat, dacă e valid CanBeModifiedIfKo=Poate fi modificat, dacă nu e valid @@ -839,6 +843,7 @@ Sincerely=Cu sinceritate ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Şterge linie ConfirmDeleteLine=Sigur doriți să ștergeți această linie? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Nu au fost disponibile PDF-uri pentru generarea de documente printre înregistrările înregistrate TooManyRecordForMassAction=Prea multe înregistrări selectate pentru acțiuni în masă. Acțiunea este limitată la o listă de %s înregistrări. NoRecordSelected=Nu a fost selectată nicio înregistrare @@ -953,12 +958,13 @@ SearchIntoMembers=Membri SearchIntoUsers=Utilizatori SearchIntoProductsOrServices=Produse sau servicii SearchIntoProjects=Proiecte +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Taskuri SearchIntoCustomerInvoices=Facturi Clienţi SearchIntoSupplierInvoices=Facturi Furnizori SearchIntoCustomerOrders=Ordine de vânzări SearchIntoSupplierOrders=Comenzile de achiziție -SearchIntoCustomerProposals=Oferte Clienti +SearchIntoCustomerProposals=Oferte Comerciale SearchIntoSupplierProposals=Propunerile furnizorilor SearchIntoInterventions=Intervenţii SearchIntoContracts=Contracte @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang index 948fc3c28ca..b7d02b6dd7b 100644 --- a/htdocs/langs/ro_RO/modulebuilder.lang +++ b/htdocs/langs/ro_RO/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Zona periculoasă BuildPackage=Construiți pachetul BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Construiți documentația -ModuleIsNotActive=Acest modul nu este activat încă. Mergeți la %s pentru a-l face live sau faceți clic aici: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Descriere lungă EditorName=Numele editorului @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ro_RO/mrp.lang b/htdocs/langs/ro_RO/mrp.lang index 80e66c46969..1c7d38c59a0 100644 --- a/htdocs/langs/ro_RO/mrp.lang +++ b/htdocs/langs/ro_RO/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index f528c846026..b40fbeccf54 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -85,8 +85,8 @@ MaxSize=Mărimea maximă a AttachANewFile=Ataşaţi un fişier nou / document LinkedObject=Legate de obiectul NbOfActiveNotifications=Numărul de notificări (numărul e-mailurilor destinatarilor) -PredefinedMailTest=__(Salut)__\nAcesta este un e-mail de test trimis la __EMAIL__.\nCele două linii sunt separate printr-o întoarcere de rând .\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Salut)__\nAcesta este un test mail (testul cuvântului trebuie să fie îngroșat).
Cele două linii sunt separate printr-o întoarcere de rând.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Salut)__\n\n\n__(Cu sinceritate)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Salut)__\n\nGăsiţi factura __REF__ atașată\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Cu sinceritate)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Salut)__\n\nAș dori să vă reamintim că factura __REF__ pare să nu fi fost plătită. O copie a facturii este atașată ca un memento.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Cu sinceritate)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index 90896e14ae9..414008feb43 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=Numai servicii de cumpărare ServicesNotOnSell=Servicii care nu sunt de vânzare și de cumpărare ServicesOnSellAndOnBuy=Servicii supuse vânzării sau cumpărării -LastModifiedProductsAndServices=Ultimele %s produse/ servicii modificate +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Ultimele %s produse înregistrate LastRecordedServices=Ultimele %s servicii înregistrate CardProduct0=Produs @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Notă (nevizibilă pe facturi, oferte ...) ServiceLimitedDuration=Dacă produsul este un serviciu cu durată limitată: MultiPricesAbility=Segmente multiple de preț pentru fiecare produs / serviciu (fiecare client se află într-un singur segment de preț) MultiPricesNumPrices=Numărul de preţ +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activați produsele virtuale (kituri) AssociatedProducts=Produse virtuale AssociatedProductsNumber=Număr produse ce compun produsul virtual diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 3bad4179a7e..47b1f291584 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Copil de sarcină TaskHasChild=Sarcina are copil NotOwnerOfProject=Nu este proprietar al acestui proiect privat AffectedTo=Alocat la -CantRemoveProject=Acest proiect nu pot fi eliminat, deoarece se face referire prin alte obiecte (facturi, comenzi sau altele). Vezi tab Referinţe +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validează proiect ConfirmValidateProject=Sigur doriți să validați acest proiect? CloseAProject=Inchide proiect @@ -265,3 +265,4 @@ NewInvoice=Factură nouă OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ro_RO/receptions.lang b/htdocs/langs/ro_RO/receptions.lang index 1edcaedce6b..604dedd7d65 100644 --- a/htdocs/langs/ro_RO/receptions.lang +++ b/htdocs/langs/ro_RO/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Cantitatea de produse din comanda ValidateOrderFirstBeforeReception=Mai întâi trebuie să validezi comanda înainte de a putea face recepții. ReceptionsNumberingModules=Mod de numerotare pentru recepţii ReceptionsReceiptModel=Şabloane documente pentru recepţii +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang index 041ccf99dbe..73ee262e1c4 100644 --- a/htdocs/langs/ro_RO/stocks.lang +++ b/htdocs/langs/ro_RO/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Stoc valoric UserWarehouseAutoCreate=Creați automat un depozit utilizator atunci când creați un utilizator AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Depozit implicit +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Stocul de produse și stocul de subproduse sunt independente QtyDispatched=Cantitate dipecerizată QtyDispatchedShort=Cant Expediate @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Depozitul %s va fi utilizat pentru scăderea st WarehouseForStockIncrease=Depozitul %s va fi utilizat pentru creşterea stocului ForThisWarehouse=Pentru acest depozit ReplenishmentStatusDesc=Aceasta este o listă a tuturor produselor cu un stoc mai mic decât cel dorit (sau mai mic decât valoarea de alertă dacă este bifat checkbox-ul "numai alertă"). Dacă utilizați checkbox-ul, puteți crea comenzi de achiziție pentru a umple diferența. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Aceasta este o listă a tuturor comenzilor de cumpărare deschise, inclusiv a produselor predefinite. Numai comenzile deschise cu produse predefinite, deci comenzile care pot afecta stocurile, sunt vizibile aici. Replenishments=Reaprovizionări NbOfProductBeforePeriod=Cantitatea de produs %s în stoc înainte de perioada selectată (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ro_RO/ticket.lang b/htdocs/langs/ro_RO/ticket.lang index 7e30c6d762d..4c44a686e55 100644 --- a/htdocs/langs/ro_RO/ticket.lang +++ b/htdocs/langs/ro_RO/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Modul de numerotare a tichetelor TicketNotifyTiersAtCreation=Notificați terțul la creare TicketGroup=Grup TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Tichet - acasă +TicketsIndex=Tickets area TicketList=Lista de tichete TicketAssignedToMeInfos=Această pagină afișează lista de tichete creată de utilizatorul curent sau atribuită acestuia NoTicketsFound=Nu a fost găsit un tichet diff --git a/htdocs/langs/ro_RO/website.lang b/htdocs/langs/ro_RO/website.lang index 79d81ac3deb..60015984fc0 100644 --- a/htdocs/langs/ro_RO/website.lang +++ b/htdocs/langs/ro_RO/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Fișier robot (robots.txt) WEBSITE_HTACCESS=Fișier .htaccess de pe site WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=Antet HTML (specific numai pentru această pagină) PageNameAliasHelp=Numele sau aliasul paginii.
Acest alias este, de asemenea, folosit pentru a crea un URL SEO când site-ul web este rulat de o gazdă virtuală a unui server Web (cum ar fi Apacke, Nginx, ...). Utilizați butonul " %s " pentru a edita acest alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=Feed RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ro_RO/withdrawals.lang b/htdocs/langs/ro_RO/withdrawals.lang index 36d33342746..ad6a147e8fb 100644 --- a/htdocs/langs/ro_RO/withdrawals.lang +++ b/htdocs/langs/ro_RO/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Ordine de plată cu debit direct -SuppliersStandingOrdersArea=Ordine de plată cu credit direct +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Ordine de plată prin debitare directă StandingOrderPayment=Ordin de plata prin debit direct NewStandingOrder=Ordin nou de debitare directă +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=De procesat +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Comenzi debit direct WithdrawalReceipt=Ordin de plată direct +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Ultimele fișiere de debit direct %s +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Linii de ordine de debitare directă -RequestStandingOrderToTreat=Cerere de procesare a ordinului de plată cu debit direct -RequestStandingOrderTreated=Solicitarea pentru comanda de plată debit direct a fost procesată +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Nu a fost încă posibil. Statutul Withdraw trebuie să fie setat la "creditat" înaintea declarării respinge pe liniile specifice. -NbOfInvoiceToWithdraw=Nr. de factură calificată cu ordin de debitare directă în așteptare +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Nr. de factură client cu ordin de plată prin debit direct având informații despre contul bancar +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Factura în așteptare pentru debitul direct +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Suma de a se retrage -WithdrawsRefused=Debitul direct a fost refuzat -NoInvoiceToWithdraw=Nu se așteaptă nicio factură de client cu "cereri de debit direct" deschise. Mergeți pe fila "%s" de pe cartela de facturare pentru a face o solicitare. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=Utilizator responsabil WithdrawalsSetup=Setarea plății prin debit direct +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Rapoarte de plată prin debit direct -WithdrawRejectStatistics=Rapoarte de refuzuri la plată prin debit direct +CreditTransferStatistics=Credit transfer statistics +Rejects=Respinge LastWithdrawalReceipt=Ultimele încasări de debit direct %s MakeWithdrawRequest=Efectuați o solicitare de plată cu debit direct WithdrawRequestsDone=%s au fost înregistrate cererile de debitare directă @@ -34,7 +50,9 @@ TransMetod=Metoda transmitere Send=Trimite Lines=Linii StandingOrderReject=Emite o respinge +WithdrawsRefused=Debitul direct a fost refuzat WithdrawalRefused=Retragere refuzată +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Sunteţi sigur că doriţi să introduceţi un respingere de retragere pentru societate RefusedData=Data respingerii RefusedReason=Motivul respingerii @@ -58,6 +76,8 @@ StatusMotif8=Alte motive CreateForSepaFRST=Crearea unui fișier de debit direct (SEPA FRST) CreateForSepaRCUR=Creați un fișier de debit direct (SEPA RCUR) CreateAll=Creați un fișier de debit direct (toate) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Numai de birou CreateBanque=Numai banca OrderWaiting=De aşteptare pentru tratament @@ -67,6 +87,7 @@ NumeroNationalEmetter=Numărul naţional transmiţător WithBankUsingRIB=Pentru conturile bancare folosind RIB WithBankUsingBANBIC=Pentru conturile bancare folosind codul IBAN / BIC / SWIFT BankToReceiveWithdraw=Primirea contului bancar +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit pe WithdrawalFileNotCapable=Imposibil de a genera fișierul chitanţă de retragere pentru țara dvs %s (Țara dvs. nu este acceptată) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=Această filă vă permite să solicitați un ordin de plată prin debitare directă. După ce ați terminat, accesați meniul Banca-> Comenzi de debit direct pentru a gestiona comanda de plată prin debitare directă. Atunci când ordinul de plată este închis, plata pe factură va fi înregistrată automat, iar factura va fi închisă dacă restul de plată este nul. WithdrawalFile=Fişier Retragere SetToStatusSent=Setează statusul "Fişier Trimis" -ThisWillAlsoAddPaymentOnInvoice=Acest lucru va înregistra, de asemenea, plățile către facturi și le va clasifica drept "plătit" dacă restul de plată este nul +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistici după starea liniilor -RUM=Unique Mandate Reference (UMR) +RUM=RMU DateRUM=Mandate signature date RUMLong=Referință de mandat unic RUMWillBeGenerated=Dacă este gol, se va genera un RMU (referință unică de mandat) odată ce informațiile despre contul bancar vor fi salvate. diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang index 63bb878fc0a..7f8974191fd 100644 --- a/htdocs/langs/ru_RU/accountancy.lang +++ b/htdocs/langs/ru_RU/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index bf30360fb44..914777b8188 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Следующее значение (счета-факту NextValueForCreditNotes=Следующее значение (кредитные авизо) NextValueForDeposit=Следующее значение (первоначальный взнос) NextValueForReplacements=Следующее значение (замены) -MustBeLowerThanPHPLimit=Примечание: ваша конфигурация PHP в настоящее время ограничивает максимальный размер файла для загрузки до %s %s, независимо от значения этого параметра +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Примечание: в вашей конфигурации PHP установлено no limit MaxSizeForUploadedFiles=Максимальный размер загружаемых файлов (0 для запрещения каких-либо загрузок) UseCaptchaCode=Использовать графический код (CAPTCHA) на странице входа @@ -207,7 +207,7 @@ ModulesMarketPlaces=Поиск внешних приложений/модуле ModulesDevelopYourModule=Разработка собственного приложения/модулей ModulesDevelopDesc=Вы также можете разработать свой собственный модуль или найти партнера для его разработки. DOLISTOREdescriptionLong=Вместо того чтобы переключаться на сайт www.dolistore.com для поиска внешнего модуля, вы можете использовать этот встроенный инструмент, который будет выполнять поиск для вас (может быть медленным, нужен доступ в Интернет) ... -NewModule=Новый +NewModule=New module FreeModule=Свободно CompatibleUpTo=Совместимость с версией %s NotCompatible=Этот модуль не совместим с вашим Dolibarr%s (Min%s - Max%s). @@ -219,7 +219,7 @@ Nouveauté=Новое AchatTelechargement=Купить/Скачать GoModuleSetupArea=Чтобы развернуть/установить новый модуль, перейдите в область настройки модуля: %s . DoliStoreDesc=DoliStore, официальный магазин внешних модулей Dolibarr ERP / CRM -DoliPartnersDesc=Список компаний, предоставляющих индивидуально разработанные модули или функции.
Примечание: поскольку Dolibarr является приложением с открытым исходным кодом, любой , кто имеет опыт программирования на PHP, может разработать модуль. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Внешние веб-сайты для дополнительных модулей (неосновных) ... DevelopYourModuleDesc=Некоторые решения для разработки собственного модуля ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Введите номер телефона для отоб RefreshPhoneLink=Обновить ссылку LinkToTest=Ссылка создана для пользователя %s (нажмите на телефонный номер, чтобы протестировать) KeepEmptyToUseDefault=Оставьте пустым для использования значения по умолчанию +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Ссылка по умолчанию SetAsDefault=Установить по умолчанию ValueOverwrittenByUserSetup=Предупреждение: это значение может быть перезаписано в настройках пользователя (каждый пользователь может задать свои настройки ссылки ClickToDial) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Массовая инициализация штрих-кода для контрагентов +BarcodeInitForThirdparties=Массовая инициализация штрих-кода для контрагентов BarcodeInitForProductsOrServices=Массовое создание или удаление штрих-кода для Товаров или Услуг CurrentlyNWithoutBarCode=В настоящее время у вас есть %sзапись на %s%s без определенного штрих-кода. InitEmptyBarCode=Начальное значения для следующих %s пустых записей @@ -541,8 +542,8 @@ Module54Name=Контакты/Подписки Module54Desc=Управление контрактами (услуги или периодические подписки) Module55Name=Штрих-коды Module55Desc=Управление штрих-кодами -Module56Name=Телефония -Module56Desc=Интеграция телефонии +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Прямые банковские платежи Module57Desc=Управление платежными поручениями с прямым дебитом. Включает создание файла SEPA для европейских стран. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Доступное приложение/модули ToActivateModule=Чтобы активировать модуль, перейдите в место настройки (Главная-Настройки-Модули/Приложения). SessionTimeOut=Тайм-аут для сессии SessionExplanation=Это число гарантирует, что сеанс никогда не истечет до этой задержки, если очиститель сеанса выполняется внутренним чистильщиком сессии PHP (и ничем иным). Внутренний чистильщик сессии PHP не гарантирует, что сессия истечет после этой задержки. Он истечет после этой задержки и при запуске чистильщика сессии, поэтому каждый доступ %s / %s , но только во время доступа, сделанного другими сеансами (если значение равно 0, это означает, что очистка сеанса выполняется только внешним процессом) ,
Примечание: на некоторых серверах с внешним механизмом очистки сеансов (cron под debian, ubuntu ...) сеансы могут быть уничтожены после периода, определенного внешней установкой, независимо от того, какое значение здесь введено. +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. TriggersAvailable=Доступные триггеры TriggersDesc=Триггеры - это файлы, которые изменят поведение рабочего процесса Dolibarr после копирования в каталог htdocs/core/triggers . Они реализуют новые действия, активированные в событиях Dolibarr (создание новой компании, проверка счетов, ...). TriggerDisabledByName=Триггеры этого файла отключено NORUN-суффикс в названии. @@ -1262,6 +1264,7 @@ FieldEdition=Редакция поля %s FillThisOnlyIfRequired=Например, +2 (заполняйте это поле только тогда, когда ваш часовой пояс отличается от того, который используется на сервере) GetBarCode=Получить штрих-код NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Возврат пароля, полученных в соответствии с внутренними Dolibarr алгоритма: 8 символов, содержащих общие цифры и символы в нижнем регистре. PasswordGenerationNone=Не предлагать сгенерированный пароль. Пароль должен быть введен вручную. @@ -1844,6 +1847,7 @@ MailToThirdparty=Контрагенты MailToMember=Участники MailToUser=Пользователи MailToProject=Страница проектов +MailToTicket=Заявки ByDefaultInList=Показывать по умолчанию в виде списка YouUseLastStableVersion=Вы используете последнюю стабильную версию TitleExampleForMajorRelease=Пример сообщения, которое вы можете использовать для анонса этого основного выпуска (не стесняйтесь использовать его на своих веб-сайтах) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/ru_RU/agenda.lang b/htdocs/langs/ru_RU/agenda.lang index c43a8e1cbd2..9e64643740e 100644 --- a/htdocs/langs/ru_RU/agenda.lang +++ b/htdocs/langs/ru_RU/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Предложение удалено OrderDeleted=Заказ удалён InvoiceDeleted=Счёт удалён +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Товар %sсоздан PRODUCT_MODIFYInDolibarr=Товар %sизменён PRODUCT_DELETEInDolibarr=Товар %sудалён HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Отчет о расходах %s создан EXPENSE_REPORT_VALIDATEInDolibarr=Отчет о расходах %s утвержден @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Шаблоны документов для события DateActionStart=Начальная дата @@ -151,3 +154,6 @@ EveryMonth=Каждый месяц DayOfMonth=День месяца DayOfWeek=День недели DateStartPlusOne=Дата начала + 1 час +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang index 3e8bdeeb596..7d380c53e80 100644 --- a/htdocs/langs/ru_RU/banks.lang +++ b/htdocs/langs/ru_RU/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT действителен SwiftVNotalid=BIC / SWIFT недействителен IbanValid=BAN действителен IbanNotValid=BAN недействителен -StandingOrders=Прямые дебетовые заказы +StandingOrders=Direct debit orders StandingOrder=Прямой дебетовый заказ +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Выписка со счета AccountStatementShort=Утверждение AccountStatements=Выписки со счета diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index 1ec19dd54c1..59205f45622 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Предоставлена скидка (за досрочный EscompteOfferedShort=Скидка SendBillRef=Представление счёта %s SendReminderBillRef=Представление счёта %s (напоминание) -StandingOrders=Direct debit orders -StandingOrder=Прямой дебетовый заказ NoDraftBills=Нет проектов счетов-фактур NoOtherDraftBills=Нет других проектов счетов-фактур NoDraftInvoices=Нет проектов счетов @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Счёт удалён BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/ru_RU/cashdesk.lang b/htdocs/langs/ru_RU/cashdesk.lang index 23bb45edead..e2bc52f0ac4 100644 --- a/htdocs/langs/ru_RU/cashdesk.lang +++ b/htdocs/langs/ru_RU/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/ru_RU/categories.lang b/htdocs/langs/ru_RU/categories.lang index 513474c283f..42f038aae94 100644 --- a/htdocs/langs/ru_RU/categories.lang +++ b/htdocs/langs/ru_RU/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Теги/категории Проектов UsersCategoriesShort=Теги/категории пользователей StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=В этой категории нет товаров. -ThisCategoryHasNoSupplier=В этой категории нет ни одного поставщика. -ThisCategoryHasNoCustomer=В этой категории нет покупателей. -ThisCategoryHasNoMember=В этой категории нет участников. -ThisCategoryHasNoContact=Эта категория не содержит ни одного контакта -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=В этой категории нет ни одного проекта +ThisCategoryHasNoItems=This category does not contain any items. CategId=ID тега/категории CatSupList=List of vendor tags/categories CatCusList=Список тегов/категорий клиента/потенциального клиента @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Выберите категорию StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang index 86a3fe13b24..c4389c9917f 100644 --- a/htdocs/langs/ru_RU/companies.lang +++ b/htdocs/langs/ru_RU/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Область потенциальных клиентов IdThirdParty=Код контрагента IdCompany=Код компании IdContact=Код контакта -Contacts=Контакты ThirdPartyContacts=Контакты контрагента ThirdPartyContact=Контакт/адрес контрагента Company=Компания @@ -298,7 +297,8 @@ AddContact=Создать контакт AddContactAddress=Создать контакт/адрес EditContact=Изменить контакт / адреса EditContactAddress=Редактировать контакт/адрес -Contact=Контакт +Contact=Contact/Address +Contacts=Контакты ContactId=Идентификатор контакта ContactsAddresses=Контакты/Адреса FromContactName=Имя: @@ -325,7 +325,8 @@ CompanyDeleted=Компания " %s" удалена из базы данных. ListOfContacts=Список контактов/адресов ListOfContactsAddresses=Список контактов/адресов ListOfThirdParties=Список контрагентов -ShowContact=Показать контакт +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Все (без фильтра) ContactType=Вид контакт ContactForOrders=Контакт заказа @@ -424,7 +425,7 @@ ListSuppliersShort=Список Поставщиков ListProspectsShort=Список Потенциальных клиентов ListCustomersShort=Список Клиентов ThirdPartiesArea=Контрагенты/Контакты -LastModifiedThirdParties=Последнее %s изменение контрагентов +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Всего контрагентов InActivity=Открытые ActivityCeased=Закрыто diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang index b1594465426..62c7ebc5da4 100644 --- a/htdocs/langs/ru_RU/errors.lang +++ b/htdocs/langs/ru_RU/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/ru_RU/hrm.lang b/htdocs/langs/ru_RU/hrm.lang index ba41b26f209..8977520494d 100644 --- a/htdocs/langs/ru_RU/hrm.lang +++ b/htdocs/langs/ru_RU/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Сотрудники Employee=Сотрудник diff --git a/htdocs/langs/ru_RU/install.lang b/htdocs/langs/ru_RU/install.lang index 926bf70b7f7..6c5afb00775 100644 --- a/htdocs/langs/ru_RU/install.lang +++ b/htdocs/langs/ru_RU/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Нажмите здесь, чтобы перейти к вашей заявке -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index a284a80792b..b663d6f4b5d 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Для этого типа электронной почты AvailableVariables=Доступны переменные для замены NoTranslation=Нет перевода Translation=Перевод -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Запись не найдена NoRecordDeleted=Нет удаленных записей NotEnoughDataYet=Недостаточно данных @@ -187,6 +187,8 @@ ShowCardHere=Показать карточку Search=Поиск SearchOf=Поиск SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Действительный Approve=Утвердить Disapprove=Не утверждать @@ -426,6 +428,7 @@ Modules=Модули/Приложения Option=Опция List=Список FullList=Полный список +FullConversation=Full conversation Statistics=Статистика OtherStatistics=Другие статистические данные Status=Статус @@ -663,6 +666,7 @@ Owner=Владелец FollowingConstantsWillBeSubstituted=Следующие константы будут подменять соответствующие значения. Refresh=Обновить BackToList=Вернуться к списку +BackToTree=Back to tree GoBack=Назад CanBeModifiedIfOk=Может быть изменено, если корректно CanBeModifiedIfKo=Может быть изменено, если ненекорректно @@ -839,6 +843,7 @@ Sincerely=С уважением, ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Удалить строку ConfirmDeleteLine=Вы точно хотите удалить эту строку? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=PDF не доступен для документов созданных из выбранных записей TooManyRecordForMassAction=Слишком много записей выбрано для пакетного действия. Действие ограничено списком из %s записей. NoRecordSelected=Нет выделенных записей @@ -953,12 +958,13 @@ SearchIntoMembers=Участники SearchIntoUsers=Пользователи SearchIntoProductsOrServices=Продукты или услуги SearchIntoProjects=Проекты +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Задание SearchIntoCustomerInvoices=Счета клиента SearchIntoSupplierInvoices=Счета-фактуры поставщика SearchIntoCustomerOrders=Заказы на продажу SearchIntoSupplierOrders=Заказы -SearchIntoCustomerProposals=Предложения клиенту +SearchIntoCustomerProposals=Коммерческие предложения SearchIntoSupplierProposals=Предложения поставщиков SearchIntoInterventions=Мероприятия SearchIntoContracts=Договоры @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/ru_RU/modulebuilder.lang b/htdocs/langs/ru_RU/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/ru_RU/modulebuilder.lang +++ b/htdocs/langs/ru_RU/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/ru_RU/mrp.lang b/htdocs/langs/ru_RU/mrp.lang index 2c77d12b135..d56a9365a62 100644 --- a/htdocs/langs/ru_RU/mrp.lang +++ b/htdocs/langs/ru_RU/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index 6e128840716..ac1a05e4432 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -85,8 +85,8 @@ MaxSize=Максимальный размер AttachANewFile=Присоединить новый файл / документ LinkedObject=Связанные объект NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang index 371b5e9c53f..86a8255d39c 100644 --- a/htdocs/langs/ru_RU/products.lang +++ b/htdocs/langs/ru_RU/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Услуги только для продажи ServicesOnPurchaseOnly=Услуги только для покупки ServicesNotOnSell=Услуги не для продажи, а не для покупки ServicesOnSellAndOnBuy=Услуга для продажи и покупки -LastModifiedProductsAndServices=Последние %s изменённые товары / услуги +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Последние %sзарегистрированные продукты LastRecordedServices=Последние %sзарегистрированные услуги CardProduct0=Товар @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Примечание (не видимые на счетах ServiceLimitedDuration=Если продукт является услугой с ограниченной длительности: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Кол-во цен +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Количество продукции diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index cd7d1bd6cec..d8d3a171a87 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Не владелец этого частного проекта AffectedTo=Затронутые в -CantRemoveProject=Этот проект не может быть удалена, как он ссылается на другие объекты (счета-фактуры, приказы или другие). См. реферрала вкладке. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Проверка Projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Закрыть проект @@ -265,3 +265,4 @@ NewInvoice=Новый счёт OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/ru_RU/receptions.lang b/htdocs/langs/ru_RU/receptions.lang index 4a9a75f5154..62a309402db 100644 --- a/htdocs/langs/ru_RU/receptions.lang +++ b/htdocs/langs/ru_RU/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/ru_RU/stocks.lang b/htdocs/langs/ru_RU/stocks.lang index a2e752bc883..c8589a95e30 100644 --- a/htdocs/langs/ru_RU/stocks.lang +++ b/htdocs/langs/ru_RU/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Склады стоимости UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Количество направил QtyDispatchedShort=Кол-во отправлено @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Склад %s будет использован WarehouseForStockIncrease=Склад %s будет использован для увеличения остатка ForThisWarehouse=Для этого склада ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Пополнения NbOfProductBeforePeriod=Количество продукта %s в остатке на начало выбранного периода (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/ru_RU/ticket.lang b/htdocs/langs/ru_RU/ticket.lang index cade18e8f75..4fe3fe15802 100644 --- a/htdocs/langs/ru_RU/ticket.lang +++ b/htdocs/langs/ru_RU/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Группа TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang index 9b629ca755c..51f56a6b6cb 100644 --- a/htdocs/langs/ru_RU/website.lang +++ b/htdocs/langs/ru_RU/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS-канал +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/ru_RU/withdrawals.lang b/htdocs/langs/ru_RU/withdrawals.lang index 3dcaf52751d..b435426a2c4 100644 --- a/htdocs/langs/ru_RU/withdrawals.lang +++ b/htdocs/langs/ru_RU/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Для обработки +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Прямой дебетовый заказ +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Сумма снятия -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Отказы LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Метод передачи Send=Отправить Lines=Строки StandingOrderReject=Выпуск отклонить +WithdrawsRefused=Direct debit refused WithdrawalRefused=Выплаты Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Вы уверены, что вы хотите ввести снятия отказа общества RefusedData=Дата отказа RefusedReason=Причина для отказа @@ -58,6 +76,8 @@ StatusMotif8=Другая причина CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Только служба CreateBanque=Только банк OrderWaiting=Ожидание для лечения @@ -67,6 +87,7 @@ NumeroNationalEmetter=Национальный передатчик Количе WithBankUsingRIB=Для банковских счетов с использованием RIB WithBankUsingBANBIC=Для банковских счетов с использованием IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Кредит на WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Файл изъятия средств SetToStatusSent=Установить статус "Файл отправлен" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Статистика статуса по строкам -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang index cfafddf1d87..b5e3002812a 100644 --- a/htdocs/langs/sk_SK/accountancy.lang +++ b/htdocs/langs/sk_SK/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=Nasledujúce akcie sa zvyčajne vykonávajú každý mesiac, týždeň alebo deň pre veľmi veľké spoločnosti ... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=KROK %s: Vytvorte si model schémy účtu z menu %s -AccountancyAreaDescChart=KROK %s: Vytvorenie alebo kontrola obsahu schémy účtu z menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=KROK %s: Definujte účty účtov pre každú sadzbu DPH. Na to použite položku ponuky %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 8e080ed435e..0aeba8e4da5 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Ďalšie hodnota (faktúry) NextValueForCreditNotes=Ďalšie hodnota (dobropisov) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Ďalšie hodnota (náhrady) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Poznámka: No limit je nastavený v konfigurácii PHP MaxSizeForUploadedFiles=Maximálna veľkosť nahraných súborov (0, aby tak zabránil akejkoľvek odosielanie) UseCaptchaCode=Pomocou grafického kód (CAPTCHA) na prihlasovacej stránke @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Nový +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, oficiálny trh pre Dolibarr ERP / CRM externých modulov -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Zadajte telefónne číslo pre volania ukázať odkaz na t RefreshPhoneLink=Obnoviť odkaz LinkToTest=Klikacie odkaz generované pre užívateľa %s (kliknite na telefónne číslo pre testovanie) KeepEmptyToUseDefault=Majte prázdny použiť predvolené hodnoty +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Východiskový odkaz SetAsDefault=Nastaviť ako predvolené ValueOverwrittenByUserSetup=Pozor, táto hodnota môže byť prepísaná užívateľom špecifické nastavenia (každý užívateľ môže nastaviť vlastné clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Masové načítanie čiarových kódov alebo reset pre produkty alebo služby CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Načítať hodnotu pre %s prázdne hodnoty @@ -541,8 +542,8 @@ Module54Name=Zmluvy / Predplatné Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Čiarové kódy Module55Desc=Barcode riadenie -Module56Name=Telefónia -Module56Desc=Telefónia integrácia +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=Pre aktiváciu modulov, prejdite na nastavenie priestoru (Domov-> Nastavenie-> Modules). SessionTimeOut=Time out na zasadnutí 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. TriggersAvailable=Dostupné spúšťače TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Trigger v tomto súbore sú zakázané-NoRun prípona vo svojom názve. @@ -1262,6 +1264,7 @@ FieldEdition=Vydanie poľných %s FillThisOnlyIfRequired=Príklad: +2 ( vyplňte iba ak sú predpokladané problémy s časovým posunom ) GetBarCode=Získať čiarový kód NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Späť heslo generované podľa interného algoritmu Dolibarr: 8 znakov obsahujúci zdieľanej čísla a znaky malými písmenami. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Tretie strany MailToMember=Členovia MailToUser=Užívatelia MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sk_SK/agenda.lang b/htdocs/langs/sk_SK/agenda.lang index 0f1da4280ac..e275930647e 100644 --- a/htdocs/langs/sk_SK/agenda.lang +++ b/htdocs/langs/sk_SK/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Ponuka zmazaná OrderDeleted=Objednávka zmazaná InvoiceDeleted=Faktúra zmazaná +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Dátum začatia @@ -151,3 +154,6 @@ EveryMonth=Každý mesiac DayOfMonth=Deň v mesiaci DayOfWeek=Deň v týždni DateStartPlusOne=Čas začatia + 1 hodina +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang index 703adb0cd3d..93f5888ff1e 100644 --- a/htdocs/langs/sk_SK/banks.lang +++ b/htdocs/langs/sk_SK/banks.lang @@ -37,6 +37,8 @@ IbanValid=BAN valid IbanNotValid=BAN not valid StandingOrders=Inkaso objednávky StandingOrder=Inkaso objednávka +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Výpis z účtu AccountStatementShort=Vyhlásenie AccountStatements=Výpisy z účtov diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index c1bbc4e9d9c..53ee8eec140 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Zľava ponúkol (platba pred semestra) EscompteOfferedShort=Zľava SendBillRef=Odovzdanie faktúry %s SendReminderBillRef=Odovzdanie faktúry %s (pripomienka) -StandingOrders=Inkaso objednávky -StandingOrder=Inkaso objednávka NoDraftBills=Žiadne návrhy faktúry NoOtherDraftBills=Žiadne iné návrhy faktúry NoDraftInvoices=Žiadne návrhy faktúry @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Faktúra zmazaná BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sk_SK/cashdesk.lang b/htdocs/langs/sk_SK/cashdesk.lang index aabc1f6d1ef..2ca2dc9282e 100644 --- a/htdocs/langs/sk_SK/cashdesk.lang +++ b/htdocs/langs/sk_SK/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sk_SK/categories.lang b/htdocs/langs/sk_SK/categories.lang index d98848e310b..f5ebbca4b2e 100644 --- a/htdocs/langs/sk_SK/categories.lang +++ b/htdocs/langs/sk_SK/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Táto kategória neobsahuje žiadny produkt. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Táto kategória neobsahuje žiadne zákazníka. -ThisCategoryHasNoMember=Táto kategória neobsahuje žiadne člena. -ThisCategoryHasNoContact=Táto kategória neobsahuje žiadny kontakt. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sk_SK/companies.lang b/htdocs/langs/sk_SK/companies.lang index 01282f4f853..bb39a5cb9f6 100644 --- a/htdocs/langs/sk_SK/companies.lang +++ b/htdocs/langs/sk_SK/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospekcia plochy IdThirdParty=Id treťou stranou IdCompany=IČ IdContact=Contact ID -Contacts=Kontakty / adresy ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Spoločnosť @@ -298,7 +297,8 @@ AddContact=Vytvoriť kontakt AddContactAddress=Vytvoriť kontakt/adresu EditContact=Upraviť kontakt EditContactAddress=Upraviť kontakt / adresa -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakty / adresy ContactId=Contact id ContactsAddresses=Kontakty / adresy FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Spoločnosť "%s" vymazaný z databázy. ListOfContacts=Zoznam kontaktov adries / ListOfContactsAddresses=Zoznam kontaktov adries / ListOfThirdParties=List of Third Parties -ShowContact=Zobraziť kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Všetko (Bez filtra) ContactType=Kontaktujte typ ContactForOrders=Order kontakt @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Otvorení ActivityCeased=Zatvorené diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang index 2f24a7664d6..7f7a2f86662 100644 --- a/htdocs/langs/sk_SK/errors.lang +++ b/htdocs/langs/sk_SK/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sk_SK/hrm.lang b/htdocs/langs/sk_SK/hrm.lang index ed213435433..95c2e978d72 100644 --- a/htdocs/langs/sk_SK/hrm.lang +++ b/htdocs/langs/sk_SK/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Zamestnanec diff --git a/htdocs/langs/sk_SK/install.lang b/htdocs/langs/sk_SK/install.lang index d635526db59..a7f7ef0b7da 100644 --- a/htdocs/langs/sk_SK/install.lang +++ b/htdocs/langs/sk_SK/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index f288b52c783..aa3cbd552cb 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=Preklad neexistuje Translation=Preklad -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nebol nájdený žiadny záznam NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Zobraziť kartu Search=Vyhľadávanie SearchOf=Vyhľadávanie SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Platný Approve=Schvaľovať Disapprove=Neschváliť @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Voľba List=Zoznam FullList=Plný zoznam +FullConversation=Full conversation Statistics=Štatistika OtherStatistics=Ďalšie štatistiky Status=Postavenie @@ -663,6 +666,7 @@ Owner=Majiteľ FollowingConstantsWillBeSubstituted=Nasledujúci konštanty bude nahradený zodpovedajúcou hodnotou. Refresh=Osviežiť BackToList=Späť na zoznam +BackToTree=Back to tree GoBack=Vrátiť sa CanBeModifiedIfOk=Môže byť zmenený, ak platí CanBeModifiedIfKo=Môže byť zmenená, pokiaľ nie je platný @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Odstránenie riadka ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Členovia SearchIntoUsers=Užívatelia SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projekty +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Úlohy SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Komerčné návrhy SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Zásahy SearchIntoContracts=Zmluvy @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/sk_SK/modulebuilder.lang +++ b/htdocs/langs/sk_SK/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sk_SK/mrp.lang b/htdocs/langs/sk_SK/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/sk_SK/mrp.lang +++ b/htdocs/langs/sk_SK/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index af9a401705e..3a6e0c4b6d5 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximálny rozmer AttachANewFile=Pripojte nový súbor / dokument LinkedObject=Prepojený objekt NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang index 503c6d5da77..6ee85cce9d9 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=Posledné %s modifikované produkty / služby +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Naposledy %s uložené produkty LastRecordedServices=Naposledy %s uložené služby CardProduct0=Produkt @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Poznámka (nie je vidieť na návrhoch faktúry, ...) ServiceLimitedDuration=Je-li výrobok je služba s obmedzeným trvaním: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Počet cien +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Počet výrobkov tvoriacich tento virtuálny produkt diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index 293e24952ac..eedd69f7858 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Nie je vlastníkom tohto súkromného projektu AffectedTo=Priradené -CantRemoveProject=Tento projekt nie je možné odstrániť, pretože je odvolával sa na niektorými inými objektmi (faktúry, objednávky či iné). Pozri príchodov kartu. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Overiť Projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Zatvoriť projekt @@ -265,3 +265,4 @@ NewInvoice=Nová faktúra OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sk_SK/receptions.lang b/htdocs/langs/sk_SK/receptions.lang index 565386b497f..a23e548ed43 100644 --- a/htdocs/langs/sk_SK/receptions.lang +++ b/htdocs/langs/sk_SK/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sk_SK/stocks.lang b/htdocs/langs/sk_SK/stocks.lang index 732da41c991..e1442eb4276 100644 --- a/htdocs/langs/sk_SK/stocks.lang +++ b/htdocs/langs/sk_SK/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Sklady hodnota UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Množstvo odoslané QtyDispatchedShort=Odoslané množstvo @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Skladová %s budú použité pre zníženie skl WarehouseForStockIncrease=Skladová %s budú použité pre zvýšenie stavu zásob ForThisWarehouse=Z tohto skladu ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Splátky NbOfProductBeforePeriod=Množstvo produktov %s na sklade, než zvolené obdobie (<%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sk_SK/ticket.lang b/htdocs/langs/sk_SK/ticket.lang index 58160cc6c25..6ba73da7cd6 100644 --- a/htdocs/langs/sk_SK/ticket.lang +++ b/htdocs/langs/sk_SK/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Skupina TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/sk_SK/website.lang b/htdocs/langs/sk_SK/website.lang index def2580fd58..e97d4ca04e8 100644 --- a/htdocs/langs/sk_SK/website.lang +++ b/htdocs/langs/sk_SK/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sk_SK/withdrawals.lang b/htdocs/langs/sk_SK/withdrawals.lang index f3ac8b522c5..63532b6d7b4 100644 --- a/htdocs/langs/sk_SK/withdrawals.lang +++ b/htdocs/langs/sk_SK/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Oblasť Inkaso -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Inkaso objednávky StandingOrderPayment=Inkaso objednávka NewStandingOrder=Nová inkaso objednávka +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Ak chcete spracovať +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Inkaso objednávky WithdrawalReceipt=Inkaso objednávka +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Najnovšie %s dokumenty bezhotovostných platieb +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Riadky inkaso objednávok -RequestStandingOrderToTreat=Žiadosť o spracovanie inkaso platby za objednávku -RequestStandingOrderTreated=Žiadosť o spracovanie platobného príkazu inkaso +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Suma, ktorá má zrušiť -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Odmieta LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Odoslať Lines=Riadky StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Ste si istí, že chcete zadať stiahnutiu odmietnutie pre spoločnosť RefusedData=Dátum odmietnutia RefusedReason=Dôvod odmietnutia @@ -58,6 +76,8 @@ StatusMotif8=Iný dôvod CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Iba kancelária CreateBanque=Iba banky OrderWaiting=Čakanie na liečbu @@ -67,6 +87,7 @@ NumeroNationalEmetter=Národná Vysielač číslo WithBankUsingRIB=U bankových účtov pomocou RIB WithBankUsingBANBIC=U bankových účtov pomocou IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kredit na WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Odstúpenie súbor SetToStatusSent=Nastavte na stav "odoslaný súbor" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index a362c24efda..327c2a57565 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index d6589945d4a..20482f92a72 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Naslednja vrednost (fakture) NextValueForCreditNotes=Naslednja vrednost (dobropisi) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Naslednja vrednost (zamenjave) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Opomba: V vaši PHP konfiguraciji ni nastavljenih omejitev MaxSizeForUploadedFiles=Največja velikost prenesene datoteke (0 za prepoved vseh prenosov) UseCaptchaCode=Na prijavni strani uporabi grafično kodo (CAPTCHA) @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Nov +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, uradna tržnica za Dolibarr ERP/CRM zunanje module -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Vnesite telefonsko številko, na katero kličete za prikaz RefreshPhoneLink=Osveži pšovezavo LinkToTest=Generiran link z možnostjo klika za uporabnika %s (kliknite številko telefona za testiranje) KeepEmptyToUseDefault=Pusti prazno za uporabo privzete vrednosti +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Privzeta povezava SetAsDefault=Set as default ValueOverwrittenByUserSetup=Pozor, ta vrednost bo morda prepisana s specifično nastavitvijo uporabnika (vsak uporabnik lahko nastavi lastno povezavo za klic s klikom) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Vzpostavitev ali resetiranje masovne črtne kode za proizvode in storitve CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Začetna vrednost za naslednjih %s praznih zapisov @@ -541,8 +542,8 @@ Module54Name=Pogodbe/naročnine Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Črtne kode Module55Desc=Upravljanje črtnih kod -Module56Name=Telefonija -Module56Desc=Integracija telefonije +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=Klic s klikom @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=Za aktivacijo modula, pojdite na področje nastavitev (Domov->Nastavitve->Moduli). SessionTimeOut=Potečen čas seje 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. TriggersAvailable=Možni prožilci TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Prožilci v tej datoteki so onemogočeni s predpono -NORUN v njihovem imenu. @@ -1262,6 +1264,7 @@ FieldEdition=%s premenjenih polj FillThisOnlyIfRequired=Primer: +2 (uporabite samo, če se pojavijo težave s časovno cono) GetBarCode=Pridobi črtno kodo NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Predlaga geslo, generirano glede na interni Dolibarr algoritem: 8 mest, ki vsebujejo različne številke in male črke. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Partnerji MailToMember=Člani MailToUser=Uporabniki MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sl_SI/agenda.lang b/htdocs/langs/sl_SI/agenda.lang index 47bde4eb0e8..9e14e23e79e 100644 --- a/htdocs/langs/sl_SI/agenda.lang +++ b/htdocs/langs/sl_SI/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Začetni datum @@ -151,3 +154,6 @@ EveryMonth=Vsak mesec DayOfMonth=Dan v mesecu DayOfWeek=Dan v tednu DateStartPlusOne=Začetni datum + 1 ura +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang index 6ee84d53132..33cda2a4601 100644 --- a/htdocs/langs/sl_SI/banks.lang +++ b/htdocs/langs/sl_SI/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Izpisek računa AccountStatementShort=Izpisek AccountStatements=Izpiski računa diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index 719c6d19426..bb0af10629d 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Ponujen popust (plačilo pred rokom) EscompteOfferedShort=Popust SendBillRef=Oddaja račuuna %s SendReminderBillRef=Oddaja računa %s (opomin) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Ni osnutka računa NoOtherDraftBills=Ni drugih osnutkov računov NoDraftInvoices=Ni osnutkov računov @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sl_SI/cashdesk.lang b/htdocs/langs/sl_SI/cashdesk.lang index 8238cbd78d0..b7e5d5945bc 100644 --- a/htdocs/langs/sl_SI/cashdesk.lang +++ b/htdocs/langs/sl_SI/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sl_SI/categories.lang b/htdocs/langs/sl_SI/categories.lang index f9788a5ac0f..02a3493bd0c 100644 --- a/htdocs/langs/sl_SI/categories.lang +++ b/htdocs/langs/sl_SI/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ta kategorija ne vsebuje nobenega proizvoda. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ta kategorija ne vsebuje nobenega kupca. -ThisCategoryHasNoMember=Ta kategorija ne vsebuje nobenega člana. -ThisCategoryHasNoContact=Ta kategorija ne vsebuje nobenega kontakta. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=ID značke/kategorije CatSupList=List of vendor tags/categories CatCusList=Seznam značk/kategorij kupcev/možnih strank @@ -92,4 +86,5 @@ ByDefaultInList=Privzeto na seznamu ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sl_SI/companies.lang b/htdocs/langs/sl_SI/companies.lang index 912b2494f8e..f58b2dca981 100644 --- a/htdocs/langs/sl_SI/companies.lang +++ b/htdocs/langs/sl_SI/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Področje možnih strank IdThirdParty=ID partnerja IdCompany=ID podjetja IdContact=ID kontakta -Contacts=Kontakti ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Podjetje @@ -298,7 +297,8 @@ AddContact=Ustvari kntakt AddContactAddress=Ustvari naslov EditContact=Uredi osebo / naslov EditContactAddress=Uredi kontakt/naslov -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakti ContactId=Contact id ContactsAddresses=Kontakti/naslovi FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Podjetje "%s" izbrisano iz baze. ListOfContacts=Seznam kontaktov ListOfContactsAddresses=Seznam kontaktov ListOfThirdParties=List of Third Parties -ShowContact=Pokaži kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Vsi (brez filtra) ContactType=Vrsta kontakta ContactForOrders=Kontakt za naročilo @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Odprt ActivityCeased=Neaktiven diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang index 58c06bd93f3..a7b9d830c12 100644 --- a/htdocs/langs/sl_SI/errors.lang +++ b/htdocs/langs/sl_SI/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sl_SI/hrm.lang b/htdocs/langs/sl_SI/hrm.lang index 2c2e12548c9..f6345d6389e 100644 --- a/htdocs/langs/sl_SI/hrm.lang +++ b/htdocs/langs/sl_SI/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Zaposleni diff --git a/htdocs/langs/sl_SI/install.lang b/htdocs/langs/sl_SI/install.lang index 6c3e9d43d0d..1a61c198fef 100644 --- a/htdocs/langs/sl_SI/install.lang +++ b/htdocs/langs/sl_SI/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index 1f758fda89b..14587e0dbf0 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=Ni prevoda Translation=Prevod -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Ni najden zapis NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Prikaži kartico Search=Išči SearchOf=Iskanje SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Veljaven Approve=Potrdi Disapprove=Prekliči odobritev @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Opcija List=Seznam FullList=Celoten seznam +FullConversation=Full conversation Statistics=Statistika OtherStatistics=Druga statistika Status=Status @@ -663,6 +666,7 @@ Owner=Lastnik FollowingConstantsWillBeSubstituted=Naslednje konstante bodo zamenjane z ustrezno vrednostjo. Refresh=Osveži BackToList=Nazaj na seznam +BackToTree=Back to tree GoBack=Pojdi nazaj CanBeModifiedIfOk=Lahko se spremeni, če je veljaven CanBeModifiedIfKo=Lahko se spremeni, če ni veljaven @@ -839,6 +843,7 @@ Sincerely=S spoštovanjem ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Izbriši vrstico ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Člani SearchIntoUsers=Uporabniki SearchIntoProductsOrServices=Proizvodi ali storitve SearchIntoProjects=Projekti +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Naloge SearchIntoCustomerInvoices=Računi za kupca SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Ponudbe kupcu +SearchIntoCustomerProposals=Komercialne ponudbe SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Intervencije SearchIntoContracts=Pogodbe @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sl_SI/modulebuilder.lang b/htdocs/langs/sl_SI/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/sl_SI/modulebuilder.lang +++ b/htdocs/langs/sl_SI/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sl_SI/mrp.lang b/htdocs/langs/sl_SI/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/sl_SI/mrp.lang +++ b/htdocs/langs/sl_SI/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index 96dee868c4e..bc9ade2dcb0 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -85,8 +85,8 @@ MaxSize=Največja velikost AttachANewFile=Pripni novo datoteko/dokument LinkedObject=Povezani objekti NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 876f92df779..91f59823d0a 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=Zadnjih %s spremenjenih proizvodov/storitev +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Opomba (ni vidna na računih, ponudbah...) ServiceLimitedDuration=Če ima proizvod storitev z omejenim trajanjem: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Število cen +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Število povezanih proizvodov diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index 2ab9a1552ea..b6432f1af48 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Niste lastnik tega zasebnega projekta AffectedTo=Učinkuje na -CantRemoveProject=Tega projekta ne morete premakniti, ker je povezan z nekaterimi drugimi objekti (računi, naročila ali drugo). Glejte jeziček z referencami. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Potrdite projekt ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Zaprite projekt @@ -265,3 +265,4 @@ NewInvoice=Nov račun OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sl_SI/receptions.lang b/htdocs/langs/sl_SI/receptions.lang index d43f947b18a..e9126a81e94 100644 --- a/htdocs/langs/sl_SI/receptions.lang +++ b/htdocs/langs/sl_SI/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang index a4460453147..5fbce26d421 100644 --- a/htdocs/langs/sl_SI/stocks.lang +++ b/htdocs/langs/sl_SI/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=UPC EnhancedValueOfWarehouses=Vrednost skladišč UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Odposlana količina QtyDispatchedShort=Odposlana količina @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Skladiščee %s bo uporabljeno za zmanjšanje z WarehouseForStockIncrease=Skladišče %s bo uporabljeno za povečanje zaloge ForThisWarehouse=Za to skladišče ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Obnovitve NbOfProductBeforePeriod=Količina proizvoda %s na zalogi pred izbranim obdobjem (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sl_SI/ticket.lang b/htdocs/langs/sl_SI/ticket.lang index 40fbf4aad42..22b2071bcaf 100644 --- a/htdocs/langs/sl_SI/ticket.lang +++ b/htdocs/langs/sl_SI/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Skupina TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/sl_SI/website.lang b/htdocs/langs/sl_SI/website.lang index 9eb86dfd086..23f8905ccb1 100644 --- a/htdocs/langs/sl_SI/website.lang +++ b/htdocs/langs/sl_SI/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=Vir RSS +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sl_SI/withdrawals.lang b/htdocs/langs/sl_SI/withdrawals.lang index 98cce8e088e..d93084bf9d1 100644 --- a/htdocs/langs/sl_SI/withdrawals.lang +++ b/htdocs/langs/sl_SI/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Za obdelavo +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Trenutno ni možno. Status nakazila je potrebno nastaviti na 'kreditiran' pred zavrnitvijo specifičnih vrstic. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Vrednost za nakazilo -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Zavrnitve LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Metoda prenosa Send=Pošlji Lines=Vrstice StandingOrderReject=Izdaja zavrnitve +WithdrawsRefused=Direct debit refused WithdrawalRefused=Zavrnjena nakazila +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Ali zares želite vnesti zavrnitev nakazila za družbo RefusedData=Datum zavrnitve RefusedReason=Razlog za zavrnitev @@ -58,6 +76,8 @@ StatusMotif8=Drugih razlogi CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Samo urad CreateBanque=Samo banka OrderWaiting=Čakanje na postopek @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nacionalna številka prenosa WithBankUsingRIB=Za bančne račune, ki uporabljajo RIB WithBankUsingBANBIC=Za bančne račune, ki uporabljajo IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Datum kredita WithdrawalFileNotCapable=Ni možno generirati datoteke za prejem nakazil za vašo državo %s (vaša država ni podprta) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Datoteka nakazila SetToStatusSent=Nastavi status na "Datoteka poslana" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistika po statusu vrstic -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang index 9179719767b..95a82239eda 100644 --- a/htdocs/langs/sq_AL/accountancy.lang +++ b/htdocs/langs/sq_AL/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index f9e3a441b08..5d3a553d0a1 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=I lire CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Bli / Shkarko GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barkod Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sq_AL/agenda.lang b/htdocs/langs/sq_AL/agenda.lang index f4ec954b683..36a304cac3b 100644 --- a/htdocs/langs/sq_AL/agenda.lang +++ b/htdocs/langs/sq_AL/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang index 14406083d20..9c387e059af 100644 --- a/htdocs/langs/sq_AL/banks.lang +++ b/htdocs/langs/sq_AL/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 920879641ca..68ec977fbc7 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Ulje SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sq_AL/cashdesk.lang b/htdocs/langs/sq_AL/cashdesk.lang index 71618eff28b..d1945c98e74 100644 --- a/htdocs/langs/sq_AL/cashdesk.lang +++ b/htdocs/langs/sq_AL/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sq_AL/categories.lang b/htdocs/langs/sq_AL/categories.lang index 0f7001bc75a..9703aa35747 100644 --- a/htdocs/langs/sq_AL/categories.lang +++ b/htdocs/langs/sq_AL/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang index 514473dbd97..f74d48ced9d 100644 --- a/htdocs/langs/sq_AL/companies.lang +++ b/htdocs/langs/sq_AL/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Kontakte/Adresa ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Kompani @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Kontakte/Adresa ContactId=Contact id ContactsAddresses=Kontakte/Adresa FromContactName=Emri: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Hapur ActivityCeased=Mbyllur diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/sq_AL/errors.lang +++ b/htdocs/langs/sq_AL/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sq_AL/hrm.lang b/htdocs/langs/sq_AL/hrm.lang index 60c902e3659..b01b0e2aa4c 100644 --- a/htdocs/langs/sq_AL/hrm.lang +++ b/htdocs/langs/sq_AL/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Punonjësit Employee=Punonjës diff --git a/htdocs/langs/sq_AL/install.lang b/htdocs/langs/sq_AL/install.lang index 686f2884cca..81f019f0843 100644 --- a/htdocs/langs/sq_AL/install.lang +++ b/htdocs/langs/sq_AL/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index 998a733182b..4296aabe2b6 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Statusi @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/sq_AL/modulebuilder.lang +++ b/htdocs/langs/sq_AL/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sq_AL/mrp.lang b/htdocs/langs/sq_AL/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/sq_AL/mrp.lang +++ b/htdocs/langs/sq_AL/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index ea794014393..645a100df16 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index f3aea3ae0f5..ecb56576969 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 54a20abd8c0..9cd466fe7f5 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sq_AL/receptions.lang b/htdocs/langs/sq_AL/receptions.lang index befe92ace35..643f77a9f72 100644 --- a/htdocs/langs/sq_AL/receptions.lang +++ b/htdocs/langs/sq_AL/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sq_AL/stocks.lang b/htdocs/langs/sq_AL/stocks.lang index 8c0ecec7e14..30e9ab56f71 100644 --- a/htdocs/langs/sq_AL/stocks.lang +++ b/htdocs/langs/sq_AL/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sq_AL/ticket.lang b/htdocs/langs/sq_AL/ticket.lang index 63622ae492d..a4d76548175 100644 --- a/htdocs/langs/sq_AL/ticket.lang +++ b/htdocs/langs/sq_AL/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/sq_AL/website.lang b/htdocs/langs/sq_AL/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/sq_AL/website.lang +++ b/htdocs/langs/sq_AL/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sq_AL/withdrawals.lang b/htdocs/langs/sq_AL/withdrawals.lang index b4e13a898d8..55eb125b152 100644 --- a/htdocs/langs/sq_AL/withdrawals.lang +++ b/htdocs/langs/sq_AL/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang index 0b5e8090eaa..552b67f462e 100644 --- a/htdocs/langs/sr_RS/accountancy.lang +++ b/htdocs/langs/sr_RS/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 30555386b54..c02abee43f8 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Novo +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Subjekti MailToMember=Članovi MailToUser=Korisnici MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Prikaži po defaultu na prikazu liste YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Primer poruke koju možete koristiti da biste najavili novu verziju (možete je koristiti na Vašim sajtovima) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sr_RS/agenda.lang b/htdocs/langs/sr_RS/agenda.lang index 1e3df64724c..59f7873914b 100644 --- a/htdocs/langs/sr_RS/agenda.lang +++ b/htdocs/langs/sr_RS/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Početak @@ -151,3 +154,6 @@ EveryMonth=Svakog meseca DayOfMonth=Dan u mesecu DayOfWeek=Dan u nedelji DateStartPlusOne=Početak + 1 sat +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang index dfb2f4e6cf7..42061627ff8 100644 --- a/htdocs/langs/sr_RS/banks.lang +++ b/htdocs/langs/sr_RS/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Izvod AccountStatementShort=Izvod AccountStatements=Izvodi diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 6dfcbf5e48f..4fe08359380 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Popust SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sr_RS/cashdesk.lang b/htdocs/langs/sr_RS/cashdesk.lang index 120721fcf9b..918a26a85e3 100644 --- a/htdocs/langs/sr_RS/cashdesk.lang +++ b/htdocs/langs/sr_RS/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sr_RS/categories.lang b/htdocs/langs/sr_RS/categories.lang index e40321384fb..4f1062f1d78 100644 --- a/htdocs/langs/sr_RS/categories.lang +++ b/htdocs/langs/sr_RS/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Ova kategorija ne sadrži nijedan proizvod. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=Ova kategorija ne sadrži nijednog kupca. -ThisCategoryHasNoMember=Ova kategorija ne sadrži nijednog člana. -ThisCategoryHasNoContact=Ova kategorija ne sadrži nijedan kontakt. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=ID naziva/kategorije CatSupList=List of vendor tags/categories CatCusList=Lista naziva/kategorija kupca/prospekta @@ -92,4 +86,5 @@ ByDefaultInList=Podrazumevano u listi ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sr_RS/companies.lang b/htdocs/langs/sr_RS/companies.lang index d210f745fe3..e2232cac206 100644 --- a/htdocs/langs/sr_RS/companies.lang +++ b/htdocs/langs/sr_RS/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Oblast istraživanja IdThirdParty=Id subjekta IdCompany=Id Kompanije IdContact=Id Kontakta -Contacts=Kontakti/Adrese ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Kompanija @@ -298,7 +297,8 @@ AddContact=kreiraj kontakt AddContactAddress=Kreiraj kontakt/adresuz EditContact=Izmeni kontakt EditContactAddress=Izmeni kontakt/adresu -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakti/Adrese ContactId=Contact id ContactsAddresses=Kontakti/Adrese FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Kompanija "%s" je obrisana iz baze. ListOfContacts=Lista kontakta/adresa ListOfContactsAddresses=Lista kontakta/adresa ListOfThirdParties=List of Third Parties -ShowContact=Prikaži kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Sve (Bez filtera) ContactType=Tip kontakta ContactForOrders=Kontakt iz narudžbine @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Otvoreno ActivityCeased=Zatvoreno diff --git a/htdocs/langs/sr_RS/errors.lang b/htdocs/langs/sr_RS/errors.lang index 9d7c709b7d6..cde60ed7db3 100644 --- a/htdocs/langs/sr_RS/errors.lang +++ b/htdocs/langs/sr_RS/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sr_RS/hrm.lang b/htdocs/langs/sr_RS/hrm.lang index 96ef12f23bc..ff6bf64c951 100644 --- a/htdocs/langs/sr_RS/hrm.lang +++ b/htdocs/langs/sr_RS/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Zatvori ogranak # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HR - Lista odeljenja -DictionaryFunction=HR - Lista funkcija +DictionaryFunction=HRM - Job positions # Module Employees=Zaposleni Employee=Zaposleni diff --git a/htdocs/langs/sr_RS/install.lang b/htdocs/langs/sr_RS/install.lang index 62075489dad..d65645fa6e4 100644 --- a/htdocs/langs/sr_RS/install.lang +++ b/htdocs/langs/sr_RS/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 5d825d7454e..d0b18b8d9f0 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Dostupne zamenske promenljive NoTranslation=Nema prevoda Translation=Prevod -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Nema rezultata NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Prikaži karticu Search=Potraži SearchOf=Potraži SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Validno Approve=Odobri Disapprove=Odbij @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Opcija List=Lista FullList=Cela lista +FullConversation=Full conversation Statistics=Statistike OtherStatistics=Druge statistike Status=Status @@ -663,6 +666,7 @@ Owner=Vlasnik FollowingConstantsWillBeSubstituted=Sledeće konstante će biti zamenjene odgovarajućim vrednostima. Refresh=Refresh BackToList=Nazad na listu +BackToTree=Back to tree GoBack=Nazad CanBeModifiedIfOk=Može biti izmenjeno ukoliko je validno. CanBeModifiedIfKo=Može biti izmenjeno ukoliko nije validno @@ -839,6 +843,7 @@ Sincerely=Srdačan pozdrav ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Obriši red ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Članovi SearchIntoUsers=Korisnici SearchIntoProductsOrServices=Proizvodi ili usluge SearchIntoProjects=Projekti +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Zadaci SearchIntoCustomerInvoices=Fakture klijenata SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Ponude klijenata +SearchIntoCustomerProposals=Komercijalne svrhe SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Intervencije SearchIntoContracts=Ugovori @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sr_RS/modulebuilder.lang b/htdocs/langs/sr_RS/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/sr_RS/modulebuilder.lang +++ b/htdocs/langs/sr_RS/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sr_RS/mrp.lang b/htdocs/langs/sr_RS/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/sr_RS/mrp.lang +++ b/htdocs/langs/sr_RS/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index e5f9f4c63ed..cbafcaae166 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -85,8 +85,8 @@ MaxSize=Maksimalna veličina AttachANewFile=Priloži novi fajl/dokument LinkedObject=Povezan objekat NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index c48e11cd93e..91b369bb9aa 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=Poslednje %s izmenjen proizvod/usluga +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Beleška (nije vidljiva na računima, ponudama...) ServiceLimitedDuration=Ako je proizvod usluga sa ograničenim trajanjem: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Broj cena +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index d849eea5e71..219d0e8d839 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Ovaj privatni projekat Vam ne pripada AffectedTo=Dodeljeno -CantRemoveProject=Ovaj projekat ne može biti uklonjen jer ga koriste drugi objekti (fakture, narudžbine, i sl.). Vidite tab reference. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Odobri projekat ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Zatvori projekat @@ -265,3 +265,4 @@ NewInvoice=Novi račun OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sr_RS/receptions.lang b/htdocs/langs/sr_RS/receptions.lang index 40061426993..914006db1e4 100644 --- a/htdocs/langs/sr_RS/receptions.lang +++ b/htdocs/langs/sr_RS/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang index adad9de00e3..bb63ead95a0 100644 --- a/htdocs/langs/sr_RS/stocks.lang +++ b/htdocs/langs/sr_RS/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=PC EnhancedValueOfWarehouses=Vrednost magacina UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Raspoređena količina QtyDispatchedShort=Raspodeljena kol. @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Magacin %s će biti upotrebljen za smanjenje za WarehouseForStockIncrease=Magacin %s će biti upotrebljen za uvećanje zalihe ForThisWarehouse=Za ovaj magacin ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Dopunjavanja NbOfProductBeforePeriod=Količina proizvoda %s u zalihama pre selektiranog perioda (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sr_RS/ticket.lang b/htdocs/langs/sr_RS/ticket.lang index 9de7c3fceb3..77a82454138 100644 --- a/htdocs/langs/sr_RS/ticket.lang +++ b/htdocs/langs/sr_RS/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Grupa TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/sr_RS/website.lang b/htdocs/langs/sr_RS/website.lang index eccc473274a..9e6f450d6e4 100644 --- a/htdocs/langs/sr_RS/website.lang +++ b/htdocs/langs/sr_RS/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sr_RS/withdrawals.lang b/htdocs/langs/sr_RS/withdrawals.lang index f6b8495f608..6a3d38ab53a 100644 --- a/htdocs/langs/sr_RS/withdrawals.lang +++ b/htdocs/langs/sr_RS/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Za procesuiranje +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Još nije moguće. Status podizanja mora biti podešen na "kreditiran" pre odbijanja određenih linija. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Svota za podizanje -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Odbijeni LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Način prenosa Send=Pošalji Lines=Linije StandingOrderReject=Odbij +WithdrawsRefused=Direct debit refused WithdrawalRefused=Podizanje odbijeno +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Da li ste sigurni da želite da unesete odbijanje podizanja za kompaniju ? RefusedData=Datum odbijanja RefusedReason=Razlog odbijanja @@ -58,6 +76,8 @@ StatusMotif8=Drugi razlog CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Samo kancelarija CreateBanque=Samo banka OrderWaiting=Čeka procesuiranje @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nacionalni Broj Pošiljaoca WithBankUsingRIB=Za bankovne račune koji koriste RIB WithBankUsingBANBIC=Za bankovne račune koji koriste IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Kreditiraj na WithdrawalFileNotCapable=Nemoguće generisati račun podizanja za Vašu zemlju %s (Vaša zemlja nije podržana) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Fajl podizanja SetToStatusSent=Podesi status "Fajl poslat" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistike po statusu linija -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index 3d220a365ab..99ec491b21c 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Nästa steg bör göras för att spara dig tid AccountancyAreaDescActionFreq=Följande åtgärder utförs vanligtvis varje månad, vecka eller dag för mycket stora företag ... AccountancyAreaDescJournalSetup=STEG %s: Skapa eller kolla innehållet i din loggboklista från menyn %s -AccountancyAreaDescChartModel=STEG %s: Skapa en modell av kontoöversikt från menyn %s -AccountancyAreaDescChart=STEG %s: Skapa eller kolla innehållet i ditt kontokonto från menyn %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEG %s: Definiera redovisningskonton för varje moms. För detta, använd menyinmatningen %s. AccountancyAreaDescDefault=STEG %s: Definiera standardbokföringskonton. För detta, använd menyinmatningen %s. diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index 6327c33d771..7079d7075c5 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Nästa värde (fakturor) NextValueForCreditNotes=Nästa värde (kreditnotor) NextValueForDeposit=Nästa värde (förskottsbetalning) NextValueForReplacements=Nästa värde (ersättare) -MustBeLowerThanPHPLimit=Obs! din konfiguration för PHP begränsar för närvarande den maximala filstorleken för uppladdning till %s %s, oberoende av värdet av denna parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Obs: Ingen gräns som anges i din PHP konfiguration MaxSizeForUploadedFiles=Maximala storleken för uppladdade filer (0 att förkasta varje uppladdning) UseCaptchaCode=Använd grafisk kod (CAPTCHA) på inloggningssidan @@ -207,7 +207,7 @@ ModulesMarketPlaces=Hitta externa app / moduler ModulesDevelopYourModule=Utveckla din egen app / moduler ModulesDevelopDesc=Du kan också utveckla din egen modul eller hitta en partner för att utveckla en för dig. DOLISTOREdescriptionLong=I stället för att starta www.dolistore.com webbplats för att hitta en extern modul, kan du använda det här inbäddade verktyget som ska utföra sökningen på den externa marknaden för dig (kan vara långsam, behöver en internetåtkomst) ... -NewModule=Ny +NewModule=New module FreeModule=Gratis CompatibleUpTo=Kompatibel med version %s NotCompatible=Den här modulen verkar inte vara kompatibel med din Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Nyhet AchatTelechargement=Köp / Hämta GoModuleSetupArea=För att distribuera / installera en ny modul, gå till modulens inställningsområde: %s . DoliStoreDesc=DoliStore, den officiella marknadsplatsen för Dolibarr ERP / CRM externa moduler -DoliPartnersDesc=Lista över företag som tillhandahåller anpassade moduler eller funktioner.
Obs! Eftersom Dolibarr är en öppen källkod, någon som har erfarenhet av PHP-programmering kan utveckla en modul. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Externa webbplatser för fler moduler utan tillägg... DevelopYourModuleDesc=Några lösningar för att utveckla din egen modul ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Skriv in ett telefonnummer att ringa upp för att visa en RefreshPhoneLink=Uppdatera länk LinkToTest=Väljbar länk genererad för användare %s (klicka på tfn-nummer för att prova) KeepEmptyToUseDefault=Lämna tom för standardvärde +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Standardlänk SetAsDefault=Ange som standard ValueOverwrittenByUserSetup=Varning, kan detta värde skrivas över av användarspecifik installation (varje användare kan ställa in sin egen clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass streckkod init för tredje part +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass streckkod init eller återställning efter produkter eller tjänster CurrentlyNWithoutBarCode=För närvarande har du %s rader på %s %s utan steckkod angett. InitEmptyBarCode=Init värde för nästa% s tomma poster @@ -541,8 +542,8 @@ Module54Name=Avtal / Prenumerationer Module54Desc=Förvaltning av kontrakt (tjänster eller återkommande abonnemang) Module55Name=Streckkoder Module55Desc=Barcode ledning -Module56Name=Telefoni -Module56Desc=Telefoni integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bankdirektbetalningar Module57Desc=Förvaltning av direktbetalningsorder. Det omfattar generering av SEPA-fil för europeiska länder. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Tillgängliga app / moduler ToActivateModule=För att aktivera moduler, gå på Setup-menyn (Hem-> Inställningar-> Modules). SessionTimeOut=Time out för session SessionExplanation=Detta nummer garanterar att sessionen aldrig upphör att gälla före denna fördröjning, om sessionen rengöringsmedel görs av Internal PHP-rengöringsmedel (och inget annat). Intern rengöringsprogram för PHP-session garanterar inte att sessionen upphör att gälla efter denna fördröjning. Det kommer att löpa ut efter denna fördröjning och när sessionen renare körs, så varje %s / %s åtkomst, men endast under åtkomst av andra sessioner (om värdet är 0, betyder det att rensning av session endast sker av en extern bearbeta).
Obs! På vissa servrar med en extern sessionrensningsmekanism (cron under debian, ubuntu ...) kan sessionerna förstöras efter en period som definieras av en extern inställning, oavsett vad värdet som anges här är. +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. TriggersAvailable=Tillgängliga triggers TriggersDesc=Utlösare är filer som ändrar beteendet hos Dolibarr-arbetsflödet en gång kopierat till katalogen htdocs / core / triggers . De inser nya åtgärder, aktiverade på Dolibarr-evenemang (ny företagsskapande, fakturabekräftande, ...). TriggerDisabledByName=Triggers i denna fil är inaktiverade av-NORUN suffixet i deras namn. @@ -1262,6 +1264,7 @@ FieldEdition=Edition av fält %s FillThisOnlyIfRequired=Exempel: +2 (fyll endast om tidszon offset problem är erfarna) GetBarCode=Få streckkod NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Återgå ett lösenord som genererats enligt interna Dolibarr algoritm: 8 tecken som innehåller delade siffror och tecken med gemener. PasswordGenerationNone=Föreslå inte ett genererat lösenord. Lösenordet måste skrivas in manuellt. @@ -1844,6 +1847,7 @@ MailToThirdparty=Tredje part MailToMember=Medlemmar MailToUser=Användare MailToProject=Projekt sida +MailToTicket=Tickets ByDefaultInList=Visa som standard i listvy YouUseLastStableVersion=Du använder den senaste stabila versionen TitleExampleForMajorRelease=Exempel på meddelande du kan använda för att meddela den här stora versionen (gärna använda den på dina webbplatser) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sv_SE/agenda.lang b/htdocs/langs/sv_SE/agenda.lang index 4d99f07a728..e8bf42e32cb 100644 --- a/htdocs/langs/sv_SE/agenda.lang +++ b/htdocs/langs/sv_SE/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s skickad av email ProposalDeleted=Förslag raderad OrderDeleted=Order raderad InvoiceDeleted=Faktura raderad +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Produkt %s skapad PRODUCT_MODIFYInDolibarr=Produkt %s modified PRODUCT_DELETEInDolibarr=Produkt %s raderad HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Kostnadsrapport %s skapad EXPENSE_REPORT_VALIDATEInDolibarr=Kostnadsrapport %s bekräftat @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Dokumentmallar för event DateActionStart=Startdatum @@ -151,3 +154,6 @@ EveryMonth=Varje månad DayOfMonth=Dag i månaden DayOfWeek=Dag i veckan DateStartPlusOne=Startdatum +1 timma +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang index 99517e79240..e9b144b3d19 100644 --- a/htdocs/langs/sv_SE/banks.lang +++ b/htdocs/langs/sv_SE/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC / SWIFT giltig SwiftVNotalid=BIC / SWIFT är ej giltigt IbanValid=BAN giltig IbanNotValid=BAN är ej giltigt -StandingOrders=Direktbetalningsorder +StandingOrders=Direkt debiteringsorder StandingOrder=Direkt debitering +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Kontoutdrag AccountStatementShort=Uttalande AccountStatements=Kontoutdrag diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index 2cd69dd8394..8306569240a 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Rabatterna (betalning innan terminen) EscompteOfferedShort=Rabatt SendBillRef=Inlämning av faktura %s SendReminderBillRef=Inlämning av faktura %s (påminnelse) -StandingOrders=Direkt debiteringsorder -StandingOrder=Direkt debitering NoDraftBills=Inget förslag fakturor NoOtherDraftBills=Inga andra förslag fakturor NoDraftInvoices=Inget faktura-utkast @@ -572,3 +570,6 @@ AutoFillDateToShort=Ange slutdatum MaxNumberOfGenerationReached=Max antal gen. nådde BILL_DELETEInDolibarr=Faktura deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sv_SE/cashdesk.lang b/htdocs/langs/sv_SE/cashdesk.lang index 9db8feed413..a211c4b2df2 100644 --- a/htdocs/langs/sv_SE/cashdesk.lang +++ b/htdocs/langs/sv_SE/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sv_SE/categories.lang b/htdocs/langs/sv_SE/categories.lang index bebf234d20b..1c81710fbfc 100644 --- a/htdocs/langs/sv_SE/categories.lang +++ b/htdocs/langs/sv_SE/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Kontokoder / kategorier ProjectsCategoriesShort=Projekt taggar / kategorier UsersCategoriesShort=Användare taggar / kategorier StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=Denna kategori innehåller inte någon produkt. -ThisCategoryHasNoSupplier=Denna kategori innehåller ingen leverantör. -ThisCategoryHasNoCustomer=Denna kategori innehåller inte någon kund. -ThisCategoryHasNoMember=Denna kategori innehåller inte någon medlem. -ThisCategoryHasNoContact=Denna kategori innehåller inte någon kontakt. -ThisCategoryHasNoAccount=Denna kategori innehåller inget konto. -ThisCategoryHasNoProject=Denna kategori innehåller inga projekt. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tagg / kategori id CatSupList=Lista över leverantörskoder / kategorier CatCusList=Lista över kund / prospektetiketter / kategorier @@ -92,4 +86,5 @@ ByDefaultInList=Som standard i listan ChooseCategory=Välj kategori StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sv_SE/companies.lang b/htdocs/langs/sv_SE/companies.lang index 28d99141d05..d0a123e72dd 100644 --- a/htdocs/langs/sv_SE/companies.lang +++ b/htdocs/langs/sv_SE/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospektering område IdThirdParty=Id tredje part IdCompany=Företag Id IdContact=Kontact ID -Contacts=Kontakter/adresser ThirdPartyContacts=Tredjeparts kontakter ThirdPartyContact=Tredjeparts kontakt / adress Company=Företag @@ -298,7 +297,8 @@ AddContact=Skapa kontakt AddContactAddress=Skapa kontakt / adress EditContact=Redigera kontakt / adress EditContactAddress=Redigera kontakt / adress -Contact=Kontakt +Contact=Contact/Address +Contacts=Kontakter/adresser ContactId=Kontakt id ContactsAddresses=Kontakt / Adresser FromContactName=Namn: @@ -325,7 +325,8 @@ CompanyDeleted=Företaget "%s" raderad från databasen. ListOfContacts=Lista med kontakter / adresser ListOfContactsAddresses=Lista med kontakter / adresser ListOfThirdParties=Förteckning över tredjeparter -ShowContact=Visa kontakt +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Alla (inget filter) ContactType=Kontakttyp ContactForOrders=Beställningens kontaktinformation @@ -424,7 +425,7 @@ ListSuppliersShort=Förteckning över leverantörer ListProspectsShort=Förteckning över utsikter ListCustomersShort=Förteckning över kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Senast ändrade %s tredjeparter +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Summa tredjeparter InActivity=Öppen ActivityCeased=Stängt diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang index b96d1461a0e..a9e9731a298 100644 --- a/htdocs/langs/sv_SE/errors.lang +++ b/htdocs/langs/sv_SE/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Varning, antalet olika mottagar WarningDateOfLineMustBeInExpenseReportRange=Varning, datumet för raden ligger inte inom kostnadsberäkningsområdet WarningProjectClosed=Projektet är stängt. Du måste öppna den först igen. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sv_SE/hrm.lang b/htdocs/langs/sv_SE/hrm.lang index 0efae980a73..4ee74d97f4c 100644 --- a/htdocs/langs/sv_SE/hrm.lang +++ b/htdocs/langs/sv_SE/hrm.lang @@ -1,17 +1,18 @@ # Dolibarr language file - en_US - hrm # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service -Establishments=Establishments -Establishment=Establishment -NewEstablishment=New establishment -DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? -OpenEtablishment=Open establishment -CloseEtablishment=Close establishment +HRM_EMAIL_EXTERNAL_SERVICE=E-post för att förhindra HRM-extern tjänst +Establishments=anläggningar +Establishment=Etablering +NewEstablishment=Ny etablering +DeleteEstablishment=Ta bort anläggning +ConfirmDeleteEstablishment=Är du säker på att du vill radera den här anläggningen? +OpenEtablishment=Öppen anläggning +CloseEtablishment=Stäng anläggningen # Dictionary -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryPublicHolidays=HRM - Public holidays +DictionaryDepartment=HRM - Avdelningslista +DictionaryFunction=HRM - Job positions # Module Employees=anställda Employee=Anställd -NewEmployee=New employee +NewEmployee=Ny anställd diff --git a/htdocs/langs/sv_SE/install.lang b/htdocs/langs/sv_SE/install.lang index cdce0b03cda..b598ef87af3 100644 --- a/htdocs/langs/sv_SE/install.lang +++ b/htdocs/langs/sv_SE/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Fel (er) rapporterades under migreringsprocessen så n YouTryInstallDisabledByDirLock=Applikationen försökte självuppgradera, men installations- / uppgraderingssidorna har inaktiverats för säkerhet (katalog omdämd med .lock-suffix).
YouTryInstallDisabledByFileLock=Applikationen försökte självuppgradera, men installations- / uppgraderingssidorna har inaktiverats för säkerhet (genom att det finns en låsfil install.lock i katalogen dolibarr documents).
ClickHereToGoToApp=Klicka här för att gå till din ansökan -ClickOnLinkOrRemoveManualy=Klicka på följande länk. Om du alltid ser samma sida måste du ta bort / byta namn på filen install.lock i dokumentkatalogen. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index 96783492da5..e24889a2687 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Ingen mall tillgänglig för denna e-posttyp AvailableVariables=Tillgängliga substitutionsvariabler NoTranslation=Ingen översättning Translation=Översättning -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Ingen post funnen NoRecordDeleted=Ingen post borttagen NotEnoughDataYet=Inte tillräckligt med data @@ -187,6 +187,8 @@ ShowCardHere=Visa kort Search=Sök SearchOf=Sök SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Giltig Approve=Godkänn Disapprove=Ogilla @@ -426,6 +428,7 @@ Modules=Moduler / Applications Option=Alternativ List=Lista FullList=Fullständig lista +FullConversation=Full conversation Statistics=Statistik OtherStatistics=Övrig statistik Status=Status @@ -663,6 +666,7 @@ Owner=Ägare FollowingConstantsWillBeSubstituted=Följande konstanter kommer att ersätta med motsvarande värde. Refresh=Uppdatera BackToList=Tillbaka till listan +BackToTree=Back to tree GoBack=Gå tillbaka CanBeModifiedIfOk=Kan ändras om det är giltigt CanBeModifiedIfKo=Kan ändras om inte giltigt @@ -839,6 +843,7 @@ Sincerely=vänliga hälsningar ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Radera rad ConfirmDeleteLine=Är du säker på att du vill radera den här raden? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Ingen PDF var tillgänglig för dokumentgenerering bland kontrollerad post TooManyRecordForMassAction=För många poster valda för massåtgärder. Åtgärden är begränsad till en lista över %s poster. NoRecordSelected=Ingen post vald @@ -953,12 +958,13 @@ SearchIntoMembers=Medlemmar SearchIntoUsers=Användare SearchIntoProductsOrServices=Produkter eller tjänster SearchIntoProjects=Projekt +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Uppgifter SearchIntoCustomerInvoices=Kundfakturor SearchIntoSupplierInvoices=Leverantörsfakturor SearchIntoCustomerOrders=Försäljningsorder SearchIntoSupplierOrders=Beställning -SearchIntoCustomerProposals=Kundförslag +SearchIntoCustomerProposals=Kommersiella förslag SearchIntoSupplierProposals=Leverantörsförslag SearchIntoInterventions=Insatser SearchIntoContracts=Kontrakt @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sv_SE/modulebuilder.lang b/htdocs/langs/sv_SE/modulebuilder.lang index 389bdf6fbf1..84447f97569 100644 --- a/htdocs/langs/sv_SE/modulebuilder.lang +++ b/htdocs/langs/sv_SE/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Farozon BuildPackage=Bygg paketet BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Bygg dokumentation -ModuleIsNotActive=Den här modulen är inte aktiverad än. Gå till %s för att göra det levande eller klicka här: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Lång beskrivning EditorName=Namn på redaktör @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sv_SE/mrp.lang b/htdocs/langs/sv_SE/mrp.lang index bbe2a34732b..2535d0f33b8 100644 --- a/htdocs/langs/sv_SE/mrp.lang +++ b/htdocs/langs/sv_SE/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index f26e71b3a70..2207add9c61 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximal storlek AttachANewFile=Bifoga en ny fil / dokument LinkedObject=Länkat objekt NbOfActiveNotifications=Antal anmälningar (antal mottagarens e-postmeddelanden) -PredefinedMailTest=__(Hej)__\nDetta är ett testmeddelande skickat till __EMAIL__.\nDe två raderna är åtskilda av en vagnretur.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hej)__\nDetta är ett test mail (ordet testet måste vara fetstil).
De två raderna är åtskilda av en vagnretur.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hej)__\n\n\n__(Vänliga hälsningar)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hej)__\n\nVänligen hitta faktura __REF__ bifogad\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Vänliga hälsningar)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hej)__\n\nVi vill påminna dig om att fakturan __REF__ verkar inte ha betalats. En kopia av fakturan är bifogad som en påminnelse.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Vänliga hälsningar)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 8e916fcbdf3..596c490e151 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=Senast %s modifierade produkter / tjänster +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Senaste %s inspelade produkterna LastRecordedServices=Senaste %s inspelade tjänsterna CardProduct0=Produkt @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Obs (ej synlig på fakturor, förslag ...) ServiceLimitedDuration=Om produkten är en tjänst med begränsad varaktighet: MultiPricesAbility=Flera prissegment per produkt / tjänst (varje kund är i ett prissegment) MultiPricesNumPrices=Antal pris +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Aktivera virtuella produkter (kit) AssociatedProducts=Virtuella produkter AssociatedProductsNumber=Antal produkter komponera denna produkt diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index 2e85ebe40ef..731ffd3b837 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Barn av uppgift TaskHasChild=Uppgiften har barn NotOwnerOfProject=Inte ägaren av denna privata projekt AffectedTo=Påverkas i -CantRemoveProject=Projektet kan inte tas bort eftersom den refereras till av något annat föremål (faktura, order eller annat). Se Referer fliken. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Bekräfta projet ConfirmValidateProject=Är du säker på att du vill bekräfta detta projekt? CloseAProject=Stäng projekt @@ -265,3 +265,4 @@ NewInvoice=Ny faktura OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sv_SE/receptions.lang b/htdocs/langs/sv_SE/receptions.lang index 839d35a0381..9229221efe1 100644 --- a/htdocs/langs/sv_SE/receptions.lang +++ b/htdocs/langs/sv_SE/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Produktkvantitet från öppen leve ValidateOrderFirstBeforeReception=Du måste först validera ordern innan du kan göra mottagningar. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang index 85e246557bb..f0f2be73dd4 100644 --- a/htdocs/langs/sv_SE/stocks.lang +++ b/htdocs/langs/sv_SE/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Lagervärde UserWarehouseAutoCreate=Skapa ett användarlager automatiskt när du skapar en användare AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Produktlager och delprodukt är oberoende QtyDispatched=Sänd kvantitet QtyDispatchedShort=Antal skickade @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Lager %s kommer att användas för lagerminskni WarehouseForStockIncrease=Lager %s kommer att användas för lagerökning ForThisWarehouse=För detta lager ReplenishmentStatusDesc=Det här är en lista över alla produkter med ett lager som är lägre än önskat lager (eller lägre än varningsvärdet om kryssrutan "alert only" är markerad). Med kryssrutan kan du skapa inköpsorder för att fylla skillnaden. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Det här är en lista över alla öppna inköpsorder inklusive fördefinierade produkter. Endast öppna order med fördefinierade produkter, så beställningar som kan påverka lager, syns här. Replenishments=Påfyllningar NbOfProductBeforePeriod=Antal av produkt %s i lager före vald period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sv_SE/ticket.lang b/htdocs/langs/sv_SE/ticket.lang index c96f5ebd79b..9b5d532352e 100644 --- a/htdocs/langs/sv_SE/ticket.lang +++ b/htdocs/langs/sv_SE/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Biljettnummermodul TicketNotifyTiersAtCreation=Meddela tredje part vid skapandet TicketGroup=Grupp TicketsDisableCustomerEmail=Avaktivera alltid e-postmeddelanden när en biljett skapas från det offentliga gränssnittet +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Biljett - hem +TicketsIndex=Tickets area TicketList=Lista över biljetter TicketAssignedToMeInfos=Denna sidvisningsbiljettlista skapad av eller tilldelad den nuvarande användaren NoTicketsFound=Ingen biljett finns diff --git a/htdocs/langs/sv_SE/website.lang b/htdocs/langs/sv_SE/website.lang index 4c5b8940623..7fa518f609b 100644 --- a/htdocs/langs/sv_SE/website.lang +++ b/htdocs/langs/sv_SE/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Webbsida. Htaccess-fil WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML-rubrik (endast för den här sidan) PageNameAliasHelp=Namn eller alias på sidan.
Detta alias används också för att skapa en SEO-URL när webbplatsen springer från en virtuell värd på en webbserver (som Apacke, Nginx, ...). Använd knappen " %s " för att redigera detta alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS-flöde +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sv_SE/withdrawals.lang b/htdocs/langs/sv_SE/withdrawals.lang index b36e78217df..44d8916ab73 100644 --- a/htdocs/langs/sv_SE/withdrawals.lang +++ b/htdocs/langs/sv_SE/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direktbetalningsorderorder -SuppliersStandingOrdersArea=Direkt kreditbetalningsorderområde +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direktbetalningsorder StandingOrderPayment=Direktbetalningsorder NewStandingOrder=Ny direktdebitering +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=För att kunna behandla +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direkt debiteringsorder WithdrawalReceipt=Direkt debitering +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Senaste %s direkt debit-filer +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direktbetalningsorder -RequestStandingOrderToTreat=Begäran om betalning för direktbetalning ska behandlas -RequestStandingOrderTreated=Förfrågan om betalning av direktbetalningsorder behandlas +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Ännu inte möjligt. Uttag status måste vara inställd på "kredit" innan den förklarar förkastar på specifika linjer. -NbOfInvoiceToWithdraw=Antal kvalificerad faktura med väntande direkt debiteringsorder +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Antal kundfaktura med order för direktbetalning med definierad bankkontoinformation +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Faktura som väntar på direktdebitering +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Belopp att dra tillbaka -WithdrawsRefused=Direkt debitering vägrade -NoInvoiceToWithdraw=Ingen kundfaktura med öppna "Debiteringsförfrågningar" väntar. Gå på fliken '%s' på fakturakortet för att göra en förfrågan. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=Användaransvarig WithdrawalsSetup=Inställning för direktbetalning +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direktbetalningsstatistik -WithdrawRejectStatistics=Direktbetalning avvisar statistik +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Senaste %s direktavköpsintäkterna MakeWithdrawRequest=Gör en förskottsbetalningsförfrågan WithdrawRequestsDone=%s begärda betalningsförfrågningar @@ -34,7 +50,9 @@ TransMetod=Metod Transmission Send=Skicka Lines=Linjer StandingOrderReject=Utfärda ett förkasta +WithdrawsRefused=Direkt debitering vägrade WithdrawalRefused=Uttag Refuseds +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Är du säker på att du vill ange ett tillbakadragande avslag för samhället RefusedData=Datum för avslag RefusedReason=Orsak till avslag @@ -58,6 +76,8 @@ StatusMotif8=Annan orsak CreateForSepaFRST=Skapa direkt debitfil (SEPA FRST) CreateForSepaRCUR=Skapa direkt debitfil (SEPA RCUR) CreateAll=Skapa direkt debitfil (alla) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Endast kontor CreateBanque=Endast bank OrderWaiting=Plats för en ny behandling @@ -67,6 +87,7 @@ NumeroNationalEmetter=Nationella sändare Antal WithBankUsingRIB=För bankkonton med hjälp av RIB WithBankUsingBANBIC=För bankkonton som använder IBAN / BIC / SWIFT BankToReceiveWithdraw=Mottagande bankkonto +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Krediter på WithdrawalFileNotCapable=Det går inte att skapa uttags kvitto fil för ditt land %s (ditt land stöds inte) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=Med den här fliken kan du begära en order för direktbetalning. När du är klar, gå till menyn Bank-> Direktbetalningsorder för att hantera betalningsordern. När betalningsordern är stängd registreras betalning på faktura automatiskt och fakturan stängs om återstoden betalas är null. WithdrawalFile=Utträde fil SetToStatusSent=Ställ in på status "File Skickat" -ThisWillAlsoAddPaymentOnInvoice=Detta kommer också att registrera betalningar till fakturor och märka dem som "Betalda" om det kvarstår att betala är noll +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistik efter status linjer -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unik Mandatreferens RUMWillBeGenerated=Om tomt kommer en UMR (Unique Mandate Reference) att genereras när bankkontoinformationen är sparad. diff --git a/htdocs/langs/sw_SW/accountancy.lang b/htdocs/langs/sw_SW/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/sw_SW/accountancy.lang +++ b/htdocs/langs/sw_SW/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/sw_SW/agenda.lang b/htdocs/langs/sw_SW/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/sw_SW/agenda.lang +++ b/htdocs/langs/sw_SW/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/sw_SW/banks.lang +++ b/htdocs/langs/sw_SW/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/sw_SW/cashdesk.lang b/htdocs/langs/sw_SW/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/sw_SW/cashdesk.lang +++ b/htdocs/langs/sw_SW/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/sw_SW/categories.lang b/htdocs/langs/sw_SW/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/sw_SW/categories.lang +++ b/htdocs/langs/sw_SW/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sw_SW/companies.lang b/htdocs/langs/sw_SW/companies.lang index f8b3d0354e2..92674363ced 100644 --- a/htdocs/langs/sw_SW/companies.lang +++ b/htdocs/langs/sw_SW/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/sw_SW/errors.lang +++ b/htdocs/langs/sw_SW/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/sw_SW/hrm.lang b/htdocs/langs/sw_SW/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/sw_SW/hrm.lang +++ b/htdocs/langs/sw_SW/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/sw_SW/install.lang b/htdocs/langs/sw_SW/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/sw_SW/install.lang +++ b/htdocs/langs/sw_SW/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index 2082506c405..adbc443198f 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/sw_SW/modulebuilder.lang b/htdocs/langs/sw_SW/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/sw_SW/modulebuilder.lang +++ b/htdocs/langs/sw_SW/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/sw_SW/mrp.lang b/htdocs/langs/sw_SW/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/sw_SW/mrp.lang +++ b/htdocs/langs/sw_SW/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/sw_SW/receptions.lang b/htdocs/langs/sw_SW/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/sw_SW/receptions.lang +++ b/htdocs/langs/sw_SW/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/sw_SW/stocks.lang +++ b/htdocs/langs/sw_SW/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/sw_SW/ticket.lang b/htdocs/langs/sw_SW/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/sw_SW/ticket.lang +++ b/htdocs/langs/sw_SW/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/sw_SW/website.lang b/htdocs/langs/sw_SW/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/sw_SW/website.lang +++ b/htdocs/langs/sw_SW/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/sw_SW/withdrawals.lang b/htdocs/langs/sw_SW/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/sw_SW/withdrawals.lang +++ b/htdocs/langs/sw_SW/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang index 35f86f621b2..c802c026e5b 100644 --- a/htdocs/langs/th_TH/accountancy.lang +++ b/htdocs/langs/th_TH/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 16c6dba398c..3632408795b 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=ค่าถัดไป (ใบแจ้งหนี้) NextValueForCreditNotes=ค่าถัดไป (บันทึกเครดิต) NextValueForDeposit=Next value (down payment) NextValueForReplacements=ค่าถัดไป (เปลี่ยน) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=หมายเหตุ: ไม่ จำกัด มีการตั้งค่าในการกำหนดค่าของ PHP MaxSizeForUploadedFiles=ขนาดสูงสุดของไฟล์ที่อัปโหลด (0 ไม่อนุญาตให้อัปโหลดใด ๆ ) UseCaptchaCode=ใช้รหัสแบบกราฟิก (CAPTCHA) บนหน้าเข้าสู่ระบบ @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=ใหม่ +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore สถานที่อย่างเป็นทางการสำหรับตลาด Dolibarr ERP / CRM โมดูลภายนอก -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=ป้อนหมายเลขโทรศัพท์ RefreshPhoneLink=การเชื่อมโยงการฟื้นฟู LinkToTest=ลิงค์ที่สร้างขึ้นสำหรับผู้ใช้% s (คลิกหมายเลขโทรศัพท์เพื่อทดสอบ) KeepEmptyToUseDefault=ให้ว่างเพื่อใช้ค่าเริ่มต้น +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=เริ่มต้นการเชื่อมโยง SetAsDefault=Set as default ValueOverwrittenByUserSetup=คำเตือนค่านี้อาจถูกเขียนทับโดยการตั้งค่าของผู้ใช้เฉพาะ (ผู้ใช้แต่ละคนสามารถตั้งค่า URL clicktodial ของตัวเอง) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=init บาร์โค้ดมวลหรือตั้งค่าสำหรับผลิตภัณฑ์หรือบริการ CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=ค่า init สำหรับถัด% ระเบียนที่ว่างเปล่า @@ -541,8 +542,8 @@ Module54Name=สัญญา / สมัครสมาชิก Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=บาร์โค้ด Module55Desc=การจัดการบาร์โค้ด -Module56Name=โทรศัพท์ -Module56Desc=รวมโทรศัพท์ +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=เพื่อเปิดใช้งานโมดูลไปในพื้นที่การติดตั้ง (หน้าแรก> Setup-> โมดูล) SessionTimeOut=หมดเวลาสำหรับเซสชั่น 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. TriggersAvailable=มีจำหน่ายทริกเกอร์ TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=ทริกเกอร์ในแฟ้มนี้มีการปิดใช้งานโดยต่อท้าย -NORUN ในชื่อของพวกเขา @@ -1262,6 +1264,7 @@ FieldEdition=ฉบับของสนาม% s FillThisOnlyIfRequired=ตัวอย่าง: 2 (กรอกข้อมูลเฉพาะในกรณีที่เขตเวลาชดเชยปัญหาที่มีประสบการณ์) GetBarCode=รับบาร์โค้ด NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=กลับสร้างรหัสผ่านตามขั้นตอนวิธี Dolibarr ภายใน: 8 ตัวอักษรที่ใช้ร่วมกันที่มีตัวเลขและตัวอักษรตัวพิมพ์เล็ก PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=บุคคลที่สาม MailToMember=สมาชิก MailToUser=ผู้ใช้ MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/th_TH/agenda.lang b/htdocs/langs/th_TH/agenda.lang index b6fd5266a25..51e3b21eff1 100644 --- a/htdocs/langs/th_TH/agenda.lang +++ b/htdocs/langs/th_TH/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=วันที่เริ่มต้น @@ -151,3 +154,6 @@ EveryMonth=ทุกเดือน DayOfMonth=วันของเดือน DayOfWeek=วันของสัปดาห์ DateStartPlusOne=เริ่มต้นวันที่ 1 ชั่วโมง +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang index 483d666a43d..f04bdd48a44 100644 --- a/htdocs/langs/th_TH/banks.lang +++ b/htdocs/langs/th_TH/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=ใบแจ้งยอดบัญชี AccountStatementShort=คำแถลง AccountStatements=งบบัญชี diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index 98fa07d56b7..e3c4f663a33 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=ส่วนลดที่นำเสนอ (ชำระเ EscompteOfferedShort=ส่วนลด SendBillRef=ส่งใบแจ้งหนี้% s SendReminderBillRef=การส่งใบแจ้งหนี้ s% (เตือน) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=ไม่มีใบแจ้งหนี้ร่าง NoOtherDraftBills=ไม่มีใบแจ้งหนี้ร่างอื่น ๆ NoDraftInvoices=ไม่มีใบแจ้งหนี้ร่าง @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/th_TH/cashdesk.lang b/htdocs/langs/th_TH/cashdesk.lang index 37114cb5d8f..ce930df19e3 100644 --- a/htdocs/langs/th_TH/cashdesk.lang +++ b/htdocs/langs/th_TH/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/th_TH/categories.lang b/htdocs/langs/th_TH/categories.lang index 67f3622e8f7..6c0b56b024b 100644 --- a/htdocs/langs/th_TH/categories.lang +++ b/htdocs/langs/th_TH/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=ประเภทนี้ไม่ได้มีผลิตภัณฑ์ใด ๆ -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=ประเภทนี้ไม่ได้มีลูกค้า -ThisCategoryHasNoMember=ประเภทนี้ไม่ได้มีสมาชิกใด ๆ -ThisCategoryHasNoContact=ประเภทนี้จะไม่ได้มีการติดต่อใด ๆ -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag / รหัสหมวดหมู่ CatSupList=List of vendor tags/categories CatCusList=รายชื่อลูกค้า / โอกาสแท็ก / ประเภท @@ -92,4 +86,5 @@ ByDefaultInList=โดยค่าเริ่มต้นในรายกา ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/th_TH/companies.lang b/htdocs/langs/th_TH/companies.lang index 3cb75476145..acdb1123b2d 100644 --- a/htdocs/langs/th_TH/companies.lang +++ b/htdocs/langs/th_TH/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=พื้นที่ prospection IdThirdParty=Id ของบุคคลที่สาม IdCompany=Id บริษัท IdContact=รหัสที่ติดต่อ -Contacts=รายชื่อ / ที่อยู่ ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=บริษัท @@ -298,7 +297,8 @@ AddContact=สร้างรายชื่อผู้ติดต่อ AddContactAddress=สร้างการติดต่อ / ที่อยู่ EditContact=ติดต่อแก้ไข EditContactAddress=ติดต่อแก้ไข / ที่อยู่ -Contact=ติดต่อ +Contact=Contact/Address +Contacts=รายชื่อ / ที่อยู่ ContactId=Contact id ContactsAddresses=รายชื่อ / ที่อยู่ FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=บริษัท "% s" ลบออกจากฐานข้ ListOfContacts=รายชื่อผู้ติดต่อ / ที่อยู่ ListOfContactsAddresses=รายชื่อผู้ติดต่อ / ที่อยู่ ListOfThirdParties=List of Third Parties -ShowContact=แสดงรายชื่อผู้ติดต่อ +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=ทั้งหมด (ไม่กรอง) ContactType=ประเภทติดต่อ ContactForOrders=ติดต่อสั่งซื้อของ @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=เปิด ActivityCeased=ปิด diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang index a300df92288..b58c89eb7d9 100644 --- a/htdocs/langs/th_TH/errors.lang +++ b/htdocs/langs/th_TH/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/th_TH/hrm.lang b/htdocs/langs/th_TH/hrm.lang index 4ac18ba91e0..1139da27b97 100644 --- a/htdocs/langs/th_TH/hrm.lang +++ b/htdocs/langs/th_TH/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=ลูกจ้าง diff --git a/htdocs/langs/th_TH/install.lang b/htdocs/langs/th_TH/install.lang index cd4c2c1f6cb..92b74f7033f 100644 --- a/htdocs/langs/th_TH/install.lang +++ b/htdocs/langs/th_TH/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index 9951363424e..e48f7996c48 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=แปลไม่มี Translation=การแปล -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=บันทึกไม่พบ NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=การ์ดแสดง Search=ค้นหา SearchOf=ค้นหา SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=ถูกต้อง Approve=อนุมัติ Disapprove=ไม่พอใจ @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=ตัวเลือก List=รายการ FullList=รายการเต็มรูปแบบ +FullConversation=Full conversation Statistics=สถิติ OtherStatistics=สถิติอื่น ๆ Status=สถานะ @@ -663,6 +666,7 @@ Owner=เจ้าของ FollowingConstantsWillBeSubstituted=ค่าคงที่ต่อไปนี้จะถูกแทนที่ด้วยค่าที่สอดคล้องกัน Refresh=รีเฟรช BackToList=กลับไปยังรายการ +BackToTree=Back to tree GoBack=กลับไป CanBeModifiedIfOk=สามารถแก้ไขได้ถ้าถูกต้อง CanBeModifiedIfKo=สามารถแก้ไขได้ถ้าไม่ถูกต้อง @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=ลบบรรทัด ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=สมาชิก SearchIntoUsers=ผู้ใช้ SearchIntoProductsOrServices=Products or services SearchIntoProjects=โครงการ +SearchIntoMO=Manufacturing Orders SearchIntoTasks=งาน SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=ข้อเสนอเชิงพาณิชย์ SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=การแทรกแซง SearchIntoContracts=สัญญา @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/th_TH/modulebuilder.lang b/htdocs/langs/th_TH/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/th_TH/modulebuilder.lang +++ b/htdocs/langs/th_TH/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/th_TH/mrp.lang b/htdocs/langs/th_TH/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/th_TH/mrp.lang +++ b/htdocs/langs/th_TH/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index 3852fa08125..25611ec91c0 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -85,8 +85,8 @@ MaxSize=ขนาดสูงสุด AttachANewFile=แนบไฟล์ใหม่ / เอกสาร LinkedObject=วัตถุที่เชื่อมโยง NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index 25d33c1d271..bb78febb11c 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=% ล่าสุดของการปรับเปลี่ยนผลิตภัณฑ์ / บริการ +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=สินค้า @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=หมายเหตุ (ไม่ปรากฏในใ ServiceLimitedDuration=หากผลิตภัณฑ์เป็นบริการที่มีระยะเวลา จำกัด : MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=จำนวนของราคา +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index b07c8503eaa..a434463b92c 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=ไม่ได้เป็นเจ้าของโครงการนี​​้ส่วนตัว AffectedTo=จัดสรรให้กับ -CantRemoveProject=โครงการนี​​้ไม่สามารถลบออกได้ในขณะที่มันถูกอ้างอิงโดยวัตถุอื่น ๆ บางคน (ใบแจ้งหนี้การสั่งซื้อหรืออื่น ๆ ) ดูแท็บ referers +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=ตรวจสอบ Projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=โครงการปิด @@ -265,3 +265,4 @@ NewInvoice=ใบแจ้งหนี้ใหม่ OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/th_TH/receptions.lang b/htdocs/langs/th_TH/receptions.lang index e78b1770b9f..ecc899cc3ea 100644 --- a/htdocs/langs/th_TH/receptions.lang +++ b/htdocs/langs/th_TH/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang index cfdf69f2f7e..4d52aa82536 100644 --- a/htdocs/langs/th_TH/stocks.lang +++ b/htdocs/langs/th_TH/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=ค่าโกดัง UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=ปริมาณส่ง QtyDispatchedShort=จำนวนส่ง @@ -123,6 +130,7 @@ WarehouseForStockDecrease=s คลังสินค้า% จะใช WarehouseForStockIncrease=คลังสินค้า% s จะใช้สำหรับการเพิ่มขึ้นของหุ้น ForThisWarehouse=สำหรับคลังสินค้านี้ ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=replenishments NbOfProductBeforePeriod=ปริมาณของ% s สินค้าในสต็อกก่อนระยะเวลาที่เลือก (<% s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/th_TH/ticket.lang b/htdocs/langs/th_TH/ticket.lang index 17b7285e4ce..acd46c387b3 100644 --- a/htdocs/langs/th_TH/ticket.lang +++ b/htdocs/langs/th_TH/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=กลุ่ม TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=List of tickets TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/th_TH/website.lang b/htdocs/langs/th_TH/website.lang index 0fee45ead93..610fb0423e3 100644 --- a/htdocs/langs/th_TH/website.lang +++ b/htdocs/langs/th_TH/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/th_TH/withdrawals.lang b/htdocs/langs/th_TH/withdrawals.lang index 03c1a484b60..abab2adcf8c 100644 --- a/htdocs/langs/th_TH/withdrawals.lang +++ b/htdocs/langs/th_TH/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=ในการประมวลผล +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=ยังไม่ได้เป็นไปได้ สถานะถอนจะต้องตั้งค่า 'เครดิต' ก่อนที่จะประกาศปฏิเสธสายที่เฉพาะเจาะจง -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=จำนวนเงินที่จะถอนตัว -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=เสีย LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=วิธีการส่ง Send=ส่ง Lines=เส้น StandingOrderReject=ออกปฏิเสธ +WithdrawsRefused=Direct debit refused WithdrawalRefused=ปฏิเสธการถอนเงิน +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=คุณแน่ใจหรือว่าต้องการที่จะเข้าสู่การปฏิเสธการถอนสังคม RefusedData=วันที่ของการปฏิเสธ RefusedReason=เหตุผลในการปฏิเสธ @@ -58,6 +76,8 @@ StatusMotif8=เหตุผลอื่น ๆ CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=สำนักงานเท่านั้น CreateBanque=เฉพาะธนาคาร OrderWaiting=กำลังรอการรักษา @@ -67,6 +87,7 @@ NumeroNationalEmetter=จำนวนเครื่องส่งสัญญ WithBankUsingRIB=สำหรับบัญชีเงินฝากธนาคารโดยใช้ RIB WithBankUsingBANBIC=สำหรับบัญชีเงินฝากธนาคารโดยใช้ IBAN / BIC / SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=เกี่ยวกับบัตรเครดิต WithdrawalFileNotCapable=ไม่สามารถสร้างไฟล์ใบเสร็จรับเงินการถอนเงินสำหรับประเทศ% s ของคุณ (ประเทศของคุณไม่ได้รับการสนับสนุน) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=ไฟล์ถอนเงิน SetToStatusSent=ตั้งสถานะ "แฟ้มส่ง" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=สถิติตามสถานะของสาย -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/tr_TR/accountancy.lang b/htdocs/langs/tr_TR/accountancy.lang index 932d6b1f5d1..26d8a43bec5 100644 --- a/htdocs/langs/tr_TR/accountancy.lang +++ b/htdocs/langs/tr_TR/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Günlükleme yaparken (Günlüklere ve Genel de AccountancyAreaDescActionFreq=Aşağıdaki eylemler çok büyük şirketler için genellikle her ay, her hafta veya her gün gerçekleştirilir... AccountancyAreaDescJournalSetup=ADIM %s: "%s" menüsünü kullanarak günlük listenizin içeriğini oluşturun veya kontrol edin. -AccountancyAreaDescChartModel=ADIM %s: "%s" menüsünü kullanarak hesap planı için bir model oluşturun. -AccountancyAreaDescChart=ADIM %s: "%s" menüsünü kullanarak hesap planınızın içeriğini oluşturun veya kontrol edin. +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=ADIM %s: "%s" menüsünü kullanarak her bir KDV Oranı için muhasebe hesaplarını tanımlayın. AccountancyAreaDescDefault=ADIM %s: "%s" menüsünü kullanarak varsayılan muhasebe hesaplarını tanımlayın. diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index a4b05dfe3b1..e9a19744682 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Dernek Version=Sürüm -Publisher=Yayımcı +Publisher=Yayıncı VersionProgram=Program sürümü VersionLastInstall=İlk kurulum sürümü VersionLastUpgrade=Son yükseltme sürümü @@ -40,7 +40,7 @@ WebUserGroup=Web sunucusu kullanıcısı/grubu 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 -HostCharset=Host charset +HostCharset=Ana bilgisayar karakter kümesi ClientCharset=İstemci karakter seti ClientSortingCharset=İstemci karşılaştırma WarningModuleNotActive=%s modülü etkin olmalıdır @@ -84,7 +84,7 @@ PreviewNotAvailable=Önizleme yok ThemeCurrentlyActive=Geçerli etkin tema CurrentTimeZone=PHP Saat Dilimi (sunucu) MySQLTimeZone=MySql Saat Dilimi (veritabanı) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). +TZHasNoEffect=Tarihler veritabanı sunucusu tarafından gönderilmiş dize gibi saklanır ve getirilir. Saat dilimi yalnızca UNIX_TIMESTAMP işlevi kullanıldığında etkilidir (Dolibarr tarafından kullanılmamalıdır, bu nedenle veri girdikten sonra değiştirilse bile veritabanı TZ'nin bir etkisi olmamalıdır). Space=Boşluk Table=Tablo Fields=Alanlar @@ -95,14 +95,14 @@ NextValueForInvoices=Sonraki değer (faturalar) NextValueForCreditNotes=Sonraki değer (iade faturaları) NextValueForDeposit=Sonraki değer (peşinat) NextValueForReplacements=Sonraki değer (değiştirmeler) -MustBeLowerThanPHPLimit=Not: Mevcut PHP yapılandırmanız yükleme için maksimum dosya boyutunu, buradaki parametrenin değeri ne olursa olsun %s %s olarak sınırlandırıyor +MustBeLowerThanPHPLimit=Not: PHP yapılandırmanız şu anda bu parametrenin değerine bakılmaksızın %s %s'a yükleme için maksimum dosya boyutunu sınırlıyor 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=Example for ClamAv Daemon (require clamav-daemon): /usr/bin/clamdscan
Example for ClamWin (very very slow): 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=Example for ClamAv Daemon: --fdpass
Example for ClamWin: --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ı @@ -179,8 +179,8 @@ Compression=Sıkıştırma CommandsToDisableForeignKeysForImport=İçe aktarma işleminde yabancı anahtarları devre dışı bırakmak için komut CommandsToDisableForeignKeysForImportWarning=SQL dökümünüzü daha sonra geri yükleyebilmek isterseniz zorunludur ExportCompatibility=Oluşturulan dışa aktarma dosyasının uyumluluğu -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=Bunu kullanın --hızlı parametre +ExportUseMySQLQuickParameterHelp='--hızlı' parametre büyük tablolar için RAM tüketiminin sınırlanmasına yardımcı olur. MySqlExportParameters=MySQL dışa aktarma parametreleri PostgreSqlExportParameters= PostgreSQL dışa aktarma parametreleri UseTransactionnalMode=İşlem modunu kullanın @@ -200,30 +200,30 @@ FeatureDisabledInDemo=Özellik demoda devre dışıdır FeatureAvailableOnlyOnStable=Özellik sadece resmi olarak kararlı sürümlerde kullanılabilir BoxesDesc=Ekran etiketleri, bazı sayfaları özelleştirmek için ekleyebileceğiniz çeşitli bilgileri gösteren bileşenlerdir. Hedef sayfayı seçip 'Etkinleştir' seçeneğini tıklayarak ekran etiketini göstermeyi veya çöp kutusuna tıklayarak devre dışı bırakıp göstermemeyi seçebilirsiniz. OnlyActiveElementsAreShown=Yalnızca etkinleştirilmiş modüllerin öğeleri gösterilir. -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. +ModulesDesc=Modüller / uygulamalar yazılımda hangi özelliklerin kullanılabileceğini belirler. Bazı modüller, modülü etkinleştirdikten sonra kullanıcılara izin verilmesini gerektirir. Bir modülü / uygulamayı etkinleştirmek veya devre dışı bırakmak için her modülün %s açma / kapama düğmesini tıklayın. ModulesMarketPlaceDesc=Internette dış web sitelerinde indirmek için daha çok modül bulabilirsiniz... ModulesDeployDesc=Dosya sisteminizdeki izinler imkan veriyorsa harici bir modül kurmak için bu aracı kullanabilirsiniz. Modül daha sonra %s sekmede görünecektir. ModulesMarketPlaces=Dış uygulama/modül bul ModulesDevelopYourModule=Kendi uygulamanızı/modüllerinizi geliştirin ModulesDevelopDesc=Ayrıca kendi modülünüzü geliştirebilir veya sizin için geliştirecek bir partner bulabilirsiniz. -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=Yeni -FreeModule=Free +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 NotCompatible=Bu modül Dolibarr'ınızla uyumlu görünmüyor %s (Min %s - Maks %s). -CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %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é=Novelty +Nouveauté=Yenilik 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=Özel olarak geliştirilmiş modüller veya özellikler sağlayan şirketlerin listesi.
Not: Dolibarr açık kaynaklı bir uygulama olduğu için PHP programlamada deneyimli herkes bir modül geliştirebilir. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Daha fazla eklenti modülleri (ana yazılımda bulunmayan) için harici web siteleri DevelopYourModuleDesc=Kendi modülünüzü geliştirmek için bazı çözümler... URL=URL -RelativeURL=Relative URL +RelativeURL=Göreli URL BoxesAvailable=Mevcut ekran etiketleri BoxesActivated=Etkin ekran etiketleri ActivateOn=Etkinleştirme açık @@ -263,8 +263,8 @@ LeftMargin=Sol kenar boşluğu TopMargin=Üst kenar boşluğu PaperSize=Kağıt türü Orientation=Oryantasyon -SpaceX=Space X -SpaceY=Space Y +SpaceX=Alan X +SpaceY=Alan Y FontSize=Yazı boyutu Content=İçerik NoticePeriod=Bildirim dönemi @@ -283,16 +283,16 @@ MAIN_MAIL_ERRORS_TO=Geri dönen hatalı mailler için kullanılacak e-posta adre MAIN_MAIL_AUTOCOPY_TO= Gönderilen tüm maillerin kopyasının (Bcc) gönderileceği e-posta adresi MAIN_DISABLE_ALL_MAILS=Tüm e-posta gönderimini devre dışı bırak (test veya demo kullanımı için) MAIN_MAIL_FORCE_SENDTO=Tüm e-postaları şu adreslere gönder (gerçek alıcıların yerine, test amaçlı) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Yeni bir e-posta yazarken, önceden tanımlanmış alıcı listesine çalışanların e-postalarını (tanımlanmışsa) önerin MAIN_MAIL_SENDMODE=E-posta gönderme yöntemi 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_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_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ı +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Dkim imzalama için özel anahtar MAIN_DISABLE_ALL_SMS=Tüm SMS gönderimlerini devre dışı bırak (test ya da demo amaçlı) MAIN_SMS_SENDMODE=SMS göndermek için kullanılacak yöntem MAIN_MAIL_SMS_FROM=SMS gönderimi için varsayılan gönderici telefon numarası @@ -331,7 +331,7 @@ SetupIsReadyForUse=Modül dağıtımı bitti. Bununla birlikte, %s< NotExistsDirect=Alternatif kök dizin varolan bir dizine tanımlanmamış.
InfDirAlt=Sürüm 3 ten beri bir alternatif kök dizin tanımlanabiliyor. Bu sizin ayrılmış bir dizine, eklentiler ve özel şablonlar depolamanızı sağlar.
Yalnızca Dolibarr kökünde bir dizin oluşturun (örn. özel).
InfDirExample=
Daha sonra onu conf.php dosyasında ifade edin.
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
Bu satırların başında "#" yorum ön eki varsa, "#" karakterini silerek satırları aktifleştirebilirsiniz. -YouCanSubmitFile=You can upload the .zip file of module package from here: +YouCanSubmitFile=Modül paketinin .zip dosyasını buradan yükleyebilirsiniz: CurrentVersion=Şuan yüklü olan Dolibarr sürümü CallUpdatePage=Veritabanı yapısını ve verileri güncelleyen sayfaya gidin: %s. LastStableVersion=Son kararlı sürüm @@ -341,7 +341,7 @@ LastActivationIP=En son aktivasyon IP'si UpdateServerOffline=Güncelleme sunucusu çevrimdışı WithCounter=Bir sayacı yönet GenericMaskCodes=Herhangi bir numaralandırma maskesi girebilirsiniz. Bu maskede alttaki etiketler kullanılabilir:
{000000} her %s te artırılacak bir numaraya karşılık gelir. Sayacın istenilen uzunluğu kadar çok sıfır girin. Sayaç, maskedeki kadar çok sayıda sıfır olacak şekilde soldan sıfırlarla tamamlanacaktır.
{000000+000} önceki ile aynıdır fakat + işaretinin sağındaki sayıya denk gelen bir sapma ilk %s ten itibaren uygulanır.
{000000@x} önceki ile aynıdır fakat sayaç x aya ulaşıldığında sıfırlanır (x= 1 ve 12 arasındadır veya yapılandırmada tanımlanan mali yılın ilk aylarını kullanmak için 0 dır). Bu seçenek kullanılırsa ve x= 2 veya daha yüksekse, {yyyy}{mm} veya {yyyy}{mm} dizisi de gereklidir.
{dd} gün (01 ila 31).
{mm} ay (01 ila 12).
{yy}, {yyyy} veya {y} yıl 2, 4 veya 1 sayıları üzerindedir.
-GenericMaskCodes2={cccc} the client code on n characters
{cccc000} the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.
{tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
+GenericMaskCodes2= {cccc} n karakterdeki istemci kodunu
{cccc000}n karakterdeki istemci kodunu müşteriye atanan bir sayaç tarafından izlenir. Müşteriye ayrılan bu sayaç, global sayaçla aynı anda sıfırlanır.
{tttt} n karakterdeki üçüncü parti türünün kodu (bkz. Giriş - Kurulum - Sözlük - Üçüncü parti türleri). Eğer bu etiketi eklerseniz, sayaç her üçüncü taraf türü için farklı olacaktır.
GenericMaskCodes3=Maskede diğer tüm karakterler olduğu gibi kalır.
Boşluklara izin verilmez.
GenericMaskCodes4a=Example on the 99th %s of the third party TheCompany, with date 2007-01-31:
GenericMaskCodes4b=2007/03/01 tarihinde oluşturulan üçüncü parti örneği:
@@ -446,12 +446,13 @@ LinkToTestClickToDial=Kullanıcı %s için ClickTodial url dene RefreshPhoneLink=Bağlantıyı yenile LinkToTest=Kullanıcı %s için oluşturulan tıklanabilir bağlantı (denemek için telefon numarasına tıkla) KeepEmptyToUseDefault=Varsayılan değeri kullanmak için boş bırak +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Varsayılan bağlantı 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=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Üçüncü partiler için toplu barkod girişi +BarcodeInitForThirdparties=Üçüncü partiler 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 @@ -541,8 +542,8 @@ Module54Name=Sözleşmeler/Abonelikler Module54Desc=Sözleşmelerin yönetimi (hizmetler veya yinelenen abonelikler) Module55Name=Barkodlar Module55Desc=Barkod yönetimi -Module56Name=Telefon -Module56Desc=Telefon entegrasyonu +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Banka Otomatik Ödemeleri Module57Desc=Otomatik Ödeme talimatlarının yönetimi. Avrupa ülkeleri için SEPA dosyası üretimini içerir. Module58Name=TıklaAra @@ -1145,6 +1146,7 @@ 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. 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 şirket oluşturma, fatura doğrulama, ...) gerçekleştirir. TriggerDisabledByName=Bu dosyadaki tetikleyiciler adlarındaki -NORUN soneki tarafından devre dışı bırakılır. @@ -1262,6 +1264,7 @@ 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 ##### Module password generation PasswordGenerationStandard=Dolibarr iç algoritmasına göre bir şifre girin: 8 karakterli sayı ve küçük harf içeren. PasswordGenerationNone=Oluşturulan bir parola önerme. Parola manuel olarak yazılmalıdır. @@ -1844,6 +1847,7 @@ MailToThirdparty=Üçüncü partiler MailToMember=Üyeler MailToUser=Kullanıcılar MailToProject=Projeler sayfası +MailToTicket=Destek Bildirimleri ByDefaultInList=Liste görünümünde varsayılana göre göster 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) @@ -1954,48 +1958,49 @@ 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. -Protanopia=Protanopia -Deuteranopes=Deuteranopes -Tritanopes=Tritanopes +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. -RootCategoryForProductsToSell=Root category of products to sell +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 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 GeneralOptions=Genel Seçenekler -LogsLinesNumber=Number of lines to show on logs tab +LogsLinesNumber=Günlükler sekmesinde gösterilecek satır sayısı UseDebugBar=Hata ayıklama çubuğunu kullan -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 +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. EXPORTS_SHARE_MODELS=Dışa aktarma modelleri herkesle paylaşılır ExportSetup=Dışa aktarma modülünün kurulumu -ImportSetup=Setup of module Import +ImportSetup=İçe aktarım modülünün kurulumu InstanceUniqueID=Unique ID of the instance -SmallerThan=Smaller than -LargerThan=Larger than +SmallerThan=Şundan daha küçük +LargerThan=Şundan daha büyük IfTrackingIDFoundEventWillBeLinked=Eğer gelen e-posta içerisinde bir takip numarası bulunuyorsa, etkinliğin otomatik olarak ilgili nesnelere bağlanacağını unutmayınız. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=%s için bitiş noktası: %s -DeleteEmailCollector=Delete email collector -ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? -RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value -AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined +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. IPListExample=127.0.0.1 192.168.0.2 [::1] BaseOnSabeDavVersion=Based on the library SabreDAV version -NotAPublicIp=Not a public IP +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. -FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -EmailTemplate=Template for email -EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax +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_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=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" diff --git a/htdocs/langs/tr_TR/agenda.lang b/htdocs/langs/tr_TR/agenda.lang index d0fb6d536e3..28978e8b753 100644 --- a/htdocs/langs/tr_TR/agenda.lang +++ b/htdocs/langs/tr_TR/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=%s referans no'lu müdahale e-posta ile gönderildi ProposalDeleted=Teklif silindi OrderDeleted=Sipariş silindi InvoiceDeleted=Fatura silindi +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=%s kodlu ürün oluşturuldu PRODUCT_MODIFYInDolibarr=%s kodlu ürün değiştirildi PRODUCT_DELETEInDolibarr=%s kodlu ürün silindi HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=%s referans no'lu gider raporu oluşturuldu EXPENSE_REPORT_VALIDATEInDolibarr= %s referans no'lu gider raporu doğrulandı @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Etkinlik için belge şablonları DateActionStart=Başlangıç tarihi @@ -151,3 +154,6 @@ EveryMonth=Her ay DayOfMonth=Ayın günü DayOfWeek=Haftanın günü DateStartPlusOne=Başlama tarihi + 1 saat +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang index 9a5c41f4178..b6b06df72b3 100644 --- a/htdocs/langs/tr_TR/banks.lang +++ b/htdocs/langs/tr_TR/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT geçerli SwiftVNotalid=BIC/SWIFT geçerli değil IbanValid=BAN geçerli IbanNotValid=BAN geçerli değil -StandingOrders=Otomatik Ödeme talimatları +StandingOrders=Otomatik ödeme talimatları StandingOrder=Otomatik ödeme talimatı +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Hesap ekstresi AccountStatementShort=Ekstre AccountStatements=Hesap ekstresi diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index f6b11557d8e..d94755f0e28 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Teklif edilen indirim (vadeden önce ödemede) EscompteOfferedShort=İndirim SendBillRef=%s faturasının gönderilmesi SendReminderBillRef=%s faturasının gönderilmesi (anımsatma) -StandingOrders=Otomatik ödeme talimatları -StandingOrder=Otomatik ödeme talimatı NoDraftBills=Hiç taslak fatura yok NoOtherDraftBills=Başka taslak fatura yok NoDraftInvoices=Taslak fatura yok @@ -572,3 +570,6 @@ AutoFillDateToShort=Bitiş tarihini ayarla MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Fatura silindi BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/tr_TR/cashdesk.lang b/htdocs/langs/tr_TR/cashdesk.lang index 552521dd61a..74052b67154 100644 --- a/htdocs/langs/tr_TR/cashdesk.lang +++ b/htdocs/langs/tr_TR/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/tr_TR/categories.lang b/htdocs/langs/tr_TR/categories.lang index 7d6749e1d7b..0e18c7cfec5 100644 --- a/htdocs/langs/tr_TR/categories.lang +++ b/htdocs/langs/tr_TR/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Hesap etiketleri/kategorileri ProjectsCategoriesShort=Proje etiketi/kategorisi UsersCategoriesShort=Kullanıcı etiketleri/kategorileri StockCategoriesShort=Depo etiketleri / kategorileri -ThisCategoryHasNoProduct=Bu kategori herhangi bir ürün içermiyor. -ThisCategoryHasNoSupplier=Bu kategori hiçbir tedarikçi içermiyor. -ThisCategoryHasNoCustomer=Bu kategori herhangi bir müşteri içermiyor. -ThisCategoryHasNoMember=Bu kategori herhangi bir üye içermiyor. -ThisCategoryHasNoContact=Bu kategori herhangi bir kişi içermiyor. -ThisCategoryHasNoAccount=Bu kategori hiçbir hesap içermiyor. -ThisCategoryHasNoProject=Bu kategori herhangi bir proje içermiyor. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Etiket/kategori kimliği CatSupList=Tedarikçi etiketleri/kategorileri listesi CatCusList=Müşteri/beklenti etiketleri/kategorileri listesi @@ -92,4 +86,5 @@ ByDefaultInList=B listede varsayılana göre ChooseCategory=Kategori seç StocksCategoriesArea=Depo Kategorileri Alanı ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Kategoriler için veya operatör kullanın diff --git a/htdocs/langs/tr_TR/companies.lang b/htdocs/langs/tr_TR/companies.lang index 56cd0f70353..70f4892b494 100644 --- a/htdocs/langs/tr_TR/companies.lang +++ b/htdocs/langs/tr_TR/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Aday alanı IdThirdParty=Üçüncü parti kimliği IdCompany=Firma kimliği IdContact=Kişi kimliği -Contacts=Kişiler/Adresler ThirdPartyContacts=Üçüncü parti kişileri ThirdPartyContact=Üçüncü parti kisi/adresi Company=Firma @@ -298,7 +297,8 @@ AddContact=Kişi oluştur AddContactAddress=Kişi/adres oluştur EditContact=Kişi düzenle EditContactAddress=Kişi/adres düzenle -Contact=Kişi +Contact=Contact/Address +Contacts=Kişiler/Adresler ContactId=Kişi kimliği ContactsAddresses=Kişiler/adresler FromContactName=Hazırlayan: @@ -325,7 +325,8 @@ CompanyDeleted="%s" Firması veritabanından silindi. ListOfContacts=Kişi/adres listesi ListOfContactsAddresses=Kişi/adres listesi ListOfThirdParties=Üçüncü Partilerin Listesi -ShowContact=Kişi göster +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Hepsi (süzmeden) ContactType=Kişi tipi ContactForOrders=Sipariş yetkilisi @@ -424,7 +425,7 @@ ListSuppliersShort=Tedarikçi Listesi ListProspectsShort=Aday Listesi ListCustomersShort=Müşteri Listesi ThirdPartiesArea=Üçüncü Partiler/Kişiler -LastModifiedThirdParties=Değiştirilen son %s Üçüncü Parti +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Üçüncü Partilerin Toplamı InActivity=Açık ActivityCeased=Kapalı diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang index 96c1a4b6e2a..fa0dc7fa888 100644 --- a/htdocs/langs/tr_TR/errors.lang +++ b/htdocs/langs/tr_TR/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/tr_TR/hrm.lang b/htdocs/langs/tr_TR/hrm.lang index 69a81ebb8ce..d7878459e1f 100644 --- a/htdocs/langs/tr_TR/hrm.lang +++ b/htdocs/langs/tr_TR/hrm.lang @@ -9,8 +9,9 @@ ConfirmDeleteEstablishment=Bu kuruluşu silmek istediğinizden emin misiniz? OpenEtablishment=Kuruluş aç CloseEtablishment=Kuruluş kapat # Dictionary +DictionaryPublicHolidays=HRM - Resmi tatiller DictionaryDepartment=İKY - Departman listesi -DictionaryFunction=İKY - İşlev listesi +DictionaryFunction=HRM - Job positions # Module Employees=Çalışanlar Employee=Çalışan diff --git a/htdocs/langs/tr_TR/install.lang b/htdocs/langs/tr_TR/install.lang index f06e9617411..515824895a8 100644 --- a/htdocs/langs/tr_TR/install.lang +++ b/htdocs/langs/tr_TR/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Uygulamanıza gitmek için buraya tıklayın -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang index 291b24e3c1b..6da9da80f9e 100644 --- a/htdocs/langs/tr_TR/main.lang +++ b/htdocs/langs/tr_TR/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Bu e-posta türü için mevcut şablon yok AvailableVariables=Mevcut yedek değişkenler NoTranslation=Çeviri yok Translation=Çeviri -EmptySearchString=Boş olmayan bir arama dizesi girin +EmptySearchString=Enter non empty search criterias NoRecordFound=Kayıt bulunamadı NoRecordDeleted=Hiç kayıt silinmedi NotEnoughDataYet=Yeterli bilgi yok @@ -187,6 +187,8 @@ ShowCardHere=Kart göster Search=Ara SearchOf=Ara SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Geçerli Approve=Onayla Disapprove=Onaylama @@ -426,6 +428,7 @@ Modules=Modüller/Uygulamalar Option=Seçenek List=Liste FullList=Tüm liste +FullConversation=Full conversation Statistics=İstatistikler OtherStatistics=Diğer istatistikler Status=Durum @@ -663,6 +666,7 @@ Owner=Sahibi FollowingConstantsWillBeSubstituted=Aşağıdaki değişmezler uygun değerlerin yerine konacaktır Refresh=Yenile BackToList=Listeye dön +BackToTree=Back to tree GoBack=Geri dön CanBeModifiedIfOk=Geçerliyse değiştirilebilir CanBeModifiedIfKo=Geçerli değilse değiştirilebilir @@ -839,6 +843,7 @@ Sincerely=Saygılar ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Satır sil ConfirmDeleteLine=Bu satırı silmek istediğinizden emin misiniz? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Kontrol edilen kayıtlar arasında doküman üretimi için PDF mevcut değildi TooManyRecordForMassAction=Toplu işlem için çok sayıda kayıt seçilmiş. Bu işlem %s kayıt ile sınırlıdır. NoRecordSelected=Seçilen kayıt yok @@ -953,12 +958,13 @@ SearchIntoMembers=Üyeler SearchIntoUsers=Kullanıcılar SearchIntoProductsOrServices=Ürünler ya da hizmetler SearchIntoProjects=Projeler +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Görevler SearchIntoCustomerInvoices=Müşteri faturaları SearchIntoSupplierInvoices=Tedarikçi faturaları SearchIntoCustomerOrders=Müşteri siparişleri SearchIntoSupplierOrders=Tedarikçi siparişleri -SearchIntoCustomerProposals=Müşteri teklifleri +SearchIntoCustomerProposals=Teklifler SearchIntoSupplierProposals=Tedarikçi teklifleri SearchIntoInterventions=Müdahaleler SearchIntoContracts=Sözleşmeler @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/tr_TR/modulebuilder.lang b/htdocs/langs/tr_TR/modulebuilder.lang index 693338ec65f..e619f60a27e 100644 --- a/htdocs/langs/tr_TR/modulebuilder.lang +++ b/htdocs/langs/tr_TR/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Tehlikeli bölge BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like
DoliStore.com. BuildDocumentation=Dökümantasyon oluşturun -ModuleIsNotActive=Bu modül henüz aktif değil. Aktifleştirmek için %s bölümüne gidin veya buraya tıklayın: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Uzun açıklama EditorName=Editörün adı @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/tr_TR/mrp.lang b/htdocs/langs/tr_TR/mrp.lang index 4e422251930..6b5bfcef6b8 100644 --- a/htdocs/langs/tr_TR/mrp.lang +++ b/htdocs/langs/tr_TR/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 1033709c7a1..e718ca623c5 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -85,8 +85,8 @@ MaxSize=Ençok boyut AttachANewFile=Yeni bir dosya/belge ekle LinkedObject=Bağlantılı nesne NbOfActiveNotifications=Bildirim sayısı (alıcı e-postalarının sayısı) -PredefinedMailTest=__(Hello)__\nBu, __EMAIL__ adresine gönderilen bir test mailidir.\nİki satır bir satırbaşı ile birbirinden ayrılır.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nBu bir test mailidir (test kelimesi kalın olmalıdır).
İki satır bir satırbaşı ile birbirinden ayrılır.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\n__REF__ referans numaralı faturanızı ekte bulabilirsiniz \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\n__REF__ referans numaralı faturanın kayıtlarımızda ödenmemiş olarak göründüğü hatırlatmak isteriz. Faturanın bir kopyası ekte bilginize sunulmuştur.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index d79bf8cc61c..f497dfd14ee 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=Son değiştirilen %s ürün/hizmet +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Kaydedilen son %s ürün LastRecordedServices=Kaydedilen son %s hizmet CardProduct0=Ürün @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Not (faturalarda, tekliflerde ... görünmez) ServiceLimitedDuration=Eğer ürün sınırlı süreli bir hizmetse: MultiPricesAbility=Ürün/hizmet başına çoklu fiyat segmenti (her müşteri bir fiyat segmentinde) MultiPricesNumPrices=Fiyat sayısı +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Sanal ürünleri (kitleri) etkinleştir AssociatedProducts=Sanal ürünler AssociatedProductsNumber=Bu ürünü oluşturan ürün sayısı diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index 6ed953ea615..ff14473c37b 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Bu özel projenin sahibi değil AffectedTo=Tahsis edilen -CantRemoveProject=Bu proje kaldırılamıyor çünkü Bazı diğer nesneler tarafından başvurulUYOR (fatura, sipariş veya diğerleri). Başvuru sekmesine bakın. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Proje doğrula ConfirmValidateProject=Bu projeyi doğrulamak istediğinizden emin misiniz? CloseAProject=Proje kapat @@ -265,3 +265,4 @@ NewInvoice=Yeni fatura OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/tr_TR/receptions.lang b/htdocs/langs/tr_TR/receptions.lang index c42a36c4eff..e163d998a1a 100644 --- a/htdocs/langs/tr_TR/receptions.lang +++ b/htdocs/langs/tr_TR/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/tr_TR/stocks.lang b/htdocs/langs/tr_TR/stocks.lang index a09166cbf36..cb2579ded09 100644 --- a/htdocs/langs/tr_TR/stocks.lang +++ b/htdocs/langs/tr_TR/stocks.lang @@ -18,15 +18,15 @@ DeleteSending=Gönderim sil Stock=Stok Stocks=Stoklar StocksByLotSerial=Partiye/ürüne göre stoklar -LotSerial=i/Seri +LotSerial=Parti/Seri LotSerialList=Parti/seri listesi Movements=Hareketler ErrorWarehouseRefRequired=Depo referans adı gereklidir ListOfWarehouses=Depo listesi ListOfStockMovements=Stok hareketleri listesi ListOfInventories=Envanter listesi -MovementId=Hareket ID'si -StockMovementForId=Eylem ID'si %d +MovementId=Hareket kimlik numarası +StockMovementForId=Eylem kimlik numarası %d ListMouvementStockProject=Projeyle ilişkili stok hareketlerinin listesi StocksArea=Depo alanı AllWarehouses=Tüm depolar @@ -42,7 +42,7 @@ Unit=Birim StockCorrection=Stok düzeltme CorrectStock=Stok düzelt StockTransfer=Stok aktarımı -TransferStock=Stok aktarma +TransferStock=Stok aktar MassStockTransferShort=Toplu stok aktarma StockMovement=Stok hareketi StockMovements=Stok hareketleri @@ -54,22 +54,29 @@ EnhancedValue=Değer PMPValue=Ağırlıklı ortalama fiyat PMPValueShort=AOF EnhancedValueOfWarehouses=Depolar değeri -UserWarehouseAutoCreate=Kullanıcı oluştururken otomatik olarak bir kullanıcı deposu yarat -AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +UserWarehouseAutoCreate=Kullanıcı oluştururken otomatik olarak bir kullanıcı deposu oluştur +AllowAddLimitStockByWarehouse=Her bir ürün için minimum ve istenen stok değerini yönetmenin yanı sıra her bir eşleştirme (ürün-depo) için de minimum ve istenen stok değerini de yönetin +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Varsayılan depo +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Ürün stoğu ve alt ürün stoğu bağımsızdır QtyDispatched=Sevkedilen miktar QtyDispatchedShort=Dağıtılan mik QtyToDispatchShort=Dağıtılacak mik OrderDispatch=Öğe makbuzları -RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) -RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) -DeStockOnBill=Müşteri faturası/alacak dekontunun doğrulanması ile ilgili gerçek stokları azalt -DeStockOnValidateOrder=Satış siparişinin doğrulanması ile ilgili gerçek stokları azalt -DeStockOnShipment=Sevkiyatın onaylanmasıyla gerçek stoku eksilt -DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed -ReStockOnBill=Tedarikçi faturası/alacak dekontunun doğrulanması ile ilgili gerçek stokları arttır -ReStockOnValidateOrder=Tedarikçi siparişinin doğrulanması ile gerçek stokları arttır -ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods +RuleForStockManagementDecrease=Otomatik stok azaltma için Kural seçin (otomatik bir azaltma kuralı etkinleştirilmiş olsa bile manuel olarak azaltmak her zaman mümkündür) +RuleForStockManagementIncrease=Otomatik stok artırma için Kural seçin (otomatik bir artırma kuralı etkinleştirilmiş olsa bile manuel olarak artırmak her zaman mümkündür) +DeStockOnBill=Müşteri faturası/alacak dekontu doğrulandığında gerçek stokları azalt +DeStockOnValidateOrder=Müşteri siparişi doğrulandığında gerçek stokları azalt +DeStockOnShipment=Sevkiyat onaylandığında gerçek stokları azalt +DeStockOnShipmentOnClosing=Sevkiyat kapalı olarak ayarlandığında gerçek stokları azalt +ReStockOnBill=Tedarikçi faturası/alacak dekontu doğrulandığında gerçek stokları artır +ReStockOnValidateOrder=Tedarikçi siparişi doğrulandığında gerçek stokları artır +ReStockOnDispatchOrder=Depoya manuel olarak gönderildiğinde, malların satınalma siparişi makbuzundan sonra gerçek stokları artır StockOnReception=Increase real stocks on validation of reception StockOnReceptionOnClosing=Increase real stocks when reception is set to closed OrderStatusNotReadyToDispatch=Sipariş henüz yoksa veya stok deposundan gönderime izin veren bir durum varsa. @@ -123,6 +130,7 @@ WarehouseForStockDecrease=%s deposu stok eksiltme için kullanılacaktır WarehouseForStockIncrease=%s deposu stok arttırma için kullanılacaktır ForThisWarehouse=Bu depo için ReplenishmentStatusDesc=Bu liste, stok durumu istenen stoktan daha düşük olan tüm ürünleri içerir (veya eğer "sadece uyarı" onay kutusu işaretlenmişse uyarı değerinden daha düşük olan ürünler). Onay kutusunu kullanarak farkı kapatmak için tedarikçi siparişleri oluşturabilirsiniz. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=İkmal NbOfProductBeforePeriod=Stoktaki %s ürününün, seçilen dönemden (<%s) önceki miktarıdır @@ -132,16 +140,16 @@ SelectProductInAndOutWareHouse=Bir ürün, bir miktar, bir kaynak depo ve bir he RecordMovement=Kayıt transferi ReceivingForSameOrder=Bu siparişten yapılan kabuller StockMovementRecorded=Stok hareketleri kaydedildi -RuleForStockAvailability=Stok gereksinimi kuralları -StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) -StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) -StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) +RuleForStockAvailability=Stok gereklilik kuralları +StockMustBeEnoughForInvoice=Faturaya ürün/hizmet eklemek için stok seviyesi yeterli olmalıdır (faturaya bir satır eklerken otomatik stok değişimi için ayarlanmış olan kural ne olursa olsun mevcut gerçek stok üzerinde kontrol yapılır) +StockMustBeEnoughForOrder=Siparişe ürün/hizmet eklemek için stok seviyesi yeterli olmalıdır (siparişe bir satır eklerken otomatik stok değişimi için ayarlanmış olan kural ne olursa olsun mevcut gerçek stok üzerinde kontrol yapılır) +StockMustBeEnoughForShipment= Sevkiyata ürün/hizmet eklemek için stok seviyesi yeterli olmalıdır (sevkiyata bir satır eklerken otomatik stok değişimi için ayarlanmış olan kural ne olursa olsun mevcut gerçek stok üzerinde kontrol yapılır) MovementLabel=Hareket etiketi TypeMovement=Hareket türü DateMovement=Hareket tarihi InventoryCode=Hareket veya stok kodu IsInPackage=Pakette içerilir -WarehouseAllowNegativeTransfer=Stok eksi olabilir +WarehouseAllowNegativeTransfer=Stok miktarı eksi değere sahip olabilir qtyToTranferIsNotEnough=Kaynak deponuzda yeterli stok bulunmuyor ve kurulumunuz negatif stoklara izin vermiyor. qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Depo göster @@ -207,7 +215,7 @@ ExitEditMode=Exit edition inventoryDeleteLine=Satır sil RegulateStock=Stoğu Düzenle ListInventory=Liste -StockSupportServices=Stok yönetimi Hizmetleri destekler +StockSupportServices=Stok yönetimi Hizmetleri de destekler StockSupportServicesDesc=Varsayılan olarak sadece "ürün" türündeki ürünleri stoklandırabilirsiniz. Eğer Hizmetler modülü ve bu opsiyon etkinleştirilmişse "hizmet" türündeki ürünleri de stoklandırabilirsiniz. ReceiveProducts=Receive items StockIncreaseAfterCorrectTransfer=Düzeltme/aktarma ile arttırın @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/tr_TR/ticket.lang b/htdocs/langs/tr_TR/ticket.lang index 8df0fb7d517..7d790989ec9 100644 --- a/htdocs/langs/tr_TR/ticket.lang +++ b/htdocs/langs/tr_TR/ticket.lang @@ -21,16 +21,16 @@ Module56000Name=Destek Bildirimleri Module56000Desc=Sorun veya istek yönetimi için destek bildirim sistemi -Permission56001=Destek bildirimini gör +Permission56001=Destek bildirimlerini gör Permission56002=Destek bildirimini değiştir -Permission56003=Destek bildirimini sil +Permission56003=Destek bildirimlerini sil Permission56004=Destek bildirimlerini yönet Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) TicketDictType=Destek Bildirimi - Türler TicketDictCategory=Destek Bildirimi - Gruplar TicketDictSeverity=Destek Bildirimi - Önemler -TicketDictResolution=Ticket - Resolution +TicketDictResolution=Destek Bildirimi - Çözüm TicketTypeShortBUGSOFT=Yazılım arızası TicketTypeShortBUGHARD=Donanım arızası TicketTypeShortCOM=Ticari soru @@ -84,7 +84,7 @@ MailToSendTicketMessage=Destek bildirim mesajından e-posta göndermek için TicketSetup=Destek bildirimi modülü kurulumu TicketSettings=Ayarlar TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url +TicketPublicAccess=Kimlik gerektirmeyen herkese açık bir arayüz şu url'de adresinde mevcuttur TicketSetupDictionaries=Destek bildirimi, önem ve analitik kodlarının türleri sözlüklerden yapılandırılabilir TicketParamModule=Modül değişken kurulumu TicketParamMail=E-posta kurulumu @@ -130,10 +130,14 @@ TicketNumberingModules=Destek bildirimi numaralandırma modülü TicketNotifyTiersAtCreation=Oluşturunca üçüncü tarafa bildir TicketGroup=Grup TicketsDisableCustomerEmail=Bir destek bildirimi ortak arayüzden oluşturulduğunda e-postaları her zaman devre dışı bırak +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Destek bildirimi - giriş +TicketsIndex=Destek bildirimleri alanı TicketList=Destek bildirimlerinin listesi TicketAssignedToMeInfos=Bu sayfa mevcut kullanıcı tarafından oluşturulan veya bu kullanıcıya atanmış destek bildirim listesini görüntüler NoTicketsFound=Destek bildirimi bulunamadı @@ -180,7 +184,7 @@ Properties=Sınıflandırma LatestNewTickets=En yeni %s destek bildirimi (okunmamış) TicketSeverity=Önem seviyesi ShowTicket=Destek bildirimini gör -RelatedTickets=İlgili destek bildirimi +RelatedTickets=İlgili destek bildirimleri TicketAddIntervention=Müdahale oluştur CloseTicket=Destek bildirimini kapat CloseATicket=Bir destek bildirimini kapat @@ -230,9 +234,9 @@ TicketConfirmChangeStatus=Durum değişikliğini onayla: %s? TicketLogStatusChanged=Status changed: %s to %s TicketNotNotifyTiersAtCreate=Not notify company at create Unread=Okunmamış -TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface. +TicketNotCreatedFromPublicInterface=Mevcut değil. Destek bildirimi genel arayüzden oluşturulmadı. PublicInterfaceNotEnabled=Public interface was not enabled -ErrorTicketRefRequired=Ticket reference name is required +ErrorTicketRefRequired=Destek bildirimi referans adı gerekli # # Logs @@ -240,9 +244,9 @@ ErrorTicketRefRequired=Ticket reference name is required TicketLogMesgReadBy=%s destek bildirimi %s tarafından okundu NoLogForThisTicket=Bu destek bildirimi için henüz kayıt yok TicketLogAssignedTo=%s destek bildirimi şuna atandı: %s -TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s +TicketLogPropertyChanged=%s destek bildirimi değiştirildi: %s'den %s'e sınıflandırma TicketLogClosedBy=Destek bildirimi %s, %s tarafından kapatıldı -TicketLogReopen=Ticket %s re-open +TicketLogReopen=%s destek bildirimi tekrar açıldı # # Public pages @@ -252,9 +256,9 @@ ShowListTicketWithTrackId=Takip numarasından destek bildirim listesini görünt ShowTicketWithTrackId=Takip numarasından destek bildirimi görüntüle TicketPublicDesc=Bir destek bildirimi oluşturabilir veya daha önce oluşturulmuş olanı kontrol edebilirsiniz. YourTicketSuccessfullySaved=Destek bildirimi başarıyla kaydedildi! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. +MesgInfosPublicTicketCreatedWithTrackId=%s Kimlik Numaralı ve %s Referanslı yeni bir bilet oluşturuldu. PleaseRememberThisId=Daha sonra sorma ihtimalimize karşı lütfen takip numarasını saklayın. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s) +TicketNewEmailSubject=Destek bildirimi oluşturma onayı - Ref %s (genel bilet kimliği %s) TicketNewEmailSubjectCustomer=Yeni destek bildirimi TicketNewEmailBody=Yeni bir destek bildirim kaydınızı onaylamak için bu e-posta otomatik olarak gönderilmiştir. TicketNewEmailBodyCustomer=Bu, hesabınızda yeni bir destek bildiriminin oluşturulduğunu onaylamak için otomatik olarak gönderilen bir e-postadır. @@ -299,7 +303,7 @@ BoxLastTicket=En son oluşturulan destek bildirimleri BoxLastTicketDescription=Oluşturulan son %s destek bildirimi BoxLastTicketContent= BoxLastTicketNoRecordedTickets=Okunmamış yeni bir destek bildirimi yok -BoxLastModifiedTicket=Son değiştirilen destek bildirimleri -BoxLastModifiedTicketDescription=En son değiştirilen %s destek bildirimi +BoxLastModifiedTicket=En son değiştirilen destek bildirimleri +BoxLastModifiedTicketDescription=Değiştirilen son %s destek bildirimi BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Yakın zamanda değiştirilmiş destek bildirimi yok diff --git a/htdocs/langs/tr_TR/website.lang b/htdocs/langs/tr_TR/website.lang index 99c7f17168c..3b017344612 100644 --- a/htdocs/langs/tr_TR/website.lang +++ b/htdocs/langs/tr_TR/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot dosyası (robots.txt) WEBSITE_HTACCESS=Web sitesinin .htaccess dosyası WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML başlığı (yalnızca bu sayfaya özgü) PageNameAliasHelp=Sayfanın adı veya takma adı.
Bu takma ad, web sitesi bir web sunucusunun (Apacke, Nginx gibi ...) Sanal host'undan çalıştırıldığında bir SEO URL'si oluşturmak için de kullanılır. Bu takma adı düzenlemek için "%s" düşmesini kullanın. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Besleme +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/tr_TR/withdrawals.lang b/htdocs/langs/tr_TR/withdrawals.lang index b03b62b92c0..422a45b3e22 100644 --- a/htdocs/langs/tr_TR/withdrawals.lang +++ b/htdocs/langs/tr_TR/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Otomatik ödeme talimatları alanı -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Otomatik ödeme talimatları StandingOrderPayment=Otomatik ödeme talimatı NewStandingOrder=Yeni otomatik ödeme talimatı +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=İşlenecek +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Otomatik ödeme talimatları WithdrawalReceipt=Otomatik ödeme talimatı +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Son %s otomatik ödeme dosyaları +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Otomatik ödeme talimatı satırları -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Henüz olası değil. Özel satırlarda reddedildi olarak bildirilmeden önce paraçekme durumu 'alacaklandırıldı' olarak ayarlkanmalıdır. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Otomatik ödeme için bekleyen fatura +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Çekilecek tutar -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=Açık 'Otomatik ödeme talepli' bekleyen hiçbir müşteri faturası yok. Bir talepte bulunmak için fatura kartındaki '%s' sekmesine gidin. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Kusurlular LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Otomatik ödeme talebi oluşturun WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Havale yöntemi Send=Gönder Lines=Satırlar StandingOrderReject=Bir ret düzenle +WithdrawsRefused=Direct debit refused WithdrawalRefused=Para çekme reddedildi +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Dernek için bir para çekme reddedilme işlemi girmek istediğinizden emin misiniz RefusedData=Ret Tarihi RefusedReason=Ret nedeni @@ -58,6 +76,8 @@ StatusMotif8=Başka bir nedenle CreateForSepaFRST=Otomatik ödeme dosyası oluşturun (SEPA FRST) CreateForSepaRCUR=Otomatik ödeme dosyası oluşturun (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Sadece ofis CreateBanque=Sadece banka OrderWaiting=İşlem için bekliyor @@ -67,6 +87,7 @@ NumeroNationalEmetter=Ulusal İletim Numarası WithBankUsingRIB=RIB kullanan banka hesapları için WithBankUsingBANBIC=IBAN/BIC/SWIFT kullanan banka hesapları için BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Alacak tarihi WithdrawalFileNotCapable=Ülkeniz %s için para çekme makbuzu oluşturulamıyor (Ülkeniz desteklenmiyor) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Para çekme dosyası SetToStatusSent="Dosya Gönderildi" durumuna ayarla -ThisWillAlsoAddPaymentOnInvoice=Bu ayrıca, faturalara yapılan ödemeleri kaydeder ve ilgili faturalar için tüm ödeme yapılmışsa onları "Ödendi" olarak sınıflandırır +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Durum satırlarına göre istatistkler -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Zorunlu imza tarihi RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang index c3f5802b92a..4b2211076c4 100644 --- a/htdocs/langs/uk_UA/accountancy.lang +++ b/htdocs/langs/uk_UA/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Наступні кроки потрібні щ AccountancyAreaDescActionFreq=Наступні кроки зазвичай виконуються раз на місяць, раз на тиждень або раз на день для дуже великих компаній... AccountancyAreaDescJournalSetup=КРОК %s: Створіть або виберіть вміст з списку ваших журналів з меню %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index 77db823c815..e6346576d0d 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Заявки ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/uk_UA/agenda.lang b/htdocs/langs/uk_UA/agenda.lang index 844ef141abf..308367ab476 100644 --- a/htdocs/langs/uk_UA/agenda.lang +++ b/htdocs/langs/uk_UA/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang index 83b841dd7e8..3dc1e40aa99 100644 --- a/htdocs/langs/uk_UA/banks.lang +++ b/htdocs/langs/uk_UA/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index f33892e06aa..5af98ed6845 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Надана знижка (за достроковий плат EscompteOfferedShort=Знижка SendBillRef=Представлення рахунку %s SendReminderBillRef=Представлення рахунку %s (нагадування) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=Немає проектів рахунків-фактур NoOtherDraftBills=Немає інших проектів рахунків-фактур NoDraftInvoices=Немає проектів рахунків-фактур @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/uk_UA/cashdesk.lang b/htdocs/langs/uk_UA/cashdesk.lang index 05314c6dd09..0a890498fb9 100644 --- a/htdocs/langs/uk_UA/cashdesk.lang +++ b/htdocs/langs/uk_UA/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/uk_UA/categories.lang b/htdocs/langs/uk_UA/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/uk_UA/categories.lang +++ b/htdocs/langs/uk_UA/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/uk_UA/companies.lang b/htdocs/langs/uk_UA/companies.lang index 64082ef929a..7d8fe9f1e9f 100644 --- a/htdocs/langs/uk_UA/companies.lang +++ b/htdocs/langs/uk_UA/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Зачинено diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/uk_UA/errors.lang +++ b/htdocs/langs/uk_UA/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/uk_UA/hrm.lang b/htdocs/langs/uk_UA/hrm.lang index 3889c73dbbb..6cc7f6bef24 100644 --- a/htdocs/langs/uk_UA/hrm.lang +++ b/htdocs/langs/uk_UA/hrm.lang @@ -5,12 +5,13 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/uk_UA/install.lang b/htdocs/langs/uk_UA/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/uk_UA/install.lang +++ b/htdocs/langs/uk_UA/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index 4a8db0781af..5409a3b0652 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=Немає перекладу Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=Записів не знайдено NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/uk_UA/modulebuilder.lang b/htdocs/langs/uk_UA/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/uk_UA/modulebuilder.lang +++ b/htdocs/langs/uk_UA/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/uk_UA/mrp.lang b/htdocs/langs/uk_UA/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/uk_UA/mrp.lang +++ b/htdocs/langs/uk_UA/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index ae0f5ef2874..858ad2408f4 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index c719a049380..1a517a8e065 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=Новий рахунок-фактура OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/uk_UA/receptions.lang b/htdocs/langs/uk_UA/receptions.lang index ffa20032873..3d4fa336ff4 100644 --- a/htdocs/langs/uk_UA/receptions.lang +++ b/htdocs/langs/uk_UA/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/uk_UA/stocks.lang b/htdocs/langs/uk_UA/stocks.lang index 46576893d69..3c083b395b9 100644 --- a/htdocs/langs/uk_UA/stocks.lang +++ b/htdocs/langs/uk_UA/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/uk_UA/ticket.lang b/htdocs/langs/uk_UA/ticket.lang index 98eeb6cd78b..5876f709724 100644 --- a/htdocs/langs/uk_UA/ticket.lang +++ b/htdocs/langs/uk_UA/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Ticket - home +TicketsIndex=Tickets area TicketList=Список заявок TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=No ticket found diff --git a/htdocs/langs/uk_UA/website.lang b/htdocs/langs/uk_UA/website.lang index e2d360bc4c8..d7fada067c9 100644 --- a/htdocs/langs/uk_UA/website.lang +++ b/htdocs/langs/uk_UA/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/uk_UA/withdrawals.lang b/htdocs/langs/uk_UA/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/uk_UA/withdrawals.lang +++ b/htdocs/langs/uk_UA/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/uz_UZ/accountancy.lang +++ b/htdocs/langs/uz_UZ/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/uz_UZ/agenda.lang b/htdocs/langs/uz_UZ/agenda.lang index 9b5b8e01c4c..4083fd49a19 100644 --- a/htdocs/langs/uz_UZ/agenda.lang +++ b/htdocs/langs/uz_UZ/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposal deleted OrderDeleted=Order deleted InvoiceDeleted=Invoice deleted +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=Product %s created PRODUCT_MODIFYInDolibarr=Product %s modified PRODUCT_DELETEInDolibarr=Product %s deleted HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -151,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/uz_UZ/banks.lang +++ b/htdocs/langs/uz_UZ/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/uz_UZ/cashdesk.lang b/htdocs/langs/uz_UZ/cashdesk.lang index f9f00015840..8c783377320 100644 --- a/htdocs/langs/uz_UZ/cashdesk.lang +++ b/htdocs/langs/uz_UZ/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/uz_UZ/categories.lang b/htdocs/langs/uz_UZ/categories.lang index 1ec9b5bd409..9bb71984ecf 100644 --- a/htdocs/langs/uz_UZ/categories.lang +++ b/htdocs/langs/uz_UZ/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=This category does not contain any product. -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=This category does not contain any customer. -ThisCategoryHasNoMember=This category does not contain any member. -ThisCategoryHasNoContact=This category does not contain any contact. -ThisCategoryHasNoAccount=This category does not contain any account. -ThisCategoryHasNoProject=This category does not contain any project. +ThisCategoryHasNoItems=This category does not contain any items. CategId=Tag/category id CatSupList=List of vendor tags/categories CatCusList=List of customer/prospect tags/categories @@ -92,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang index f8b3d0354e2..92674363ced 100644 --- a/htdocs/langs/uz_UZ/companies.lang +++ b/htdocs/langs/uz_UZ/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -325,7 +325,8 @@ CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of Third Parties -ShowContact=Show contact +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=All (No filter) ContactType=Contact type ContactForOrders=Order's contact @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/uz_UZ/errors.lang +++ b/htdocs/langs/uz_UZ/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/uz_UZ/hrm.lang b/htdocs/langs/uz_UZ/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/uz_UZ/hrm.lang +++ b/htdocs/langs/uz_UZ/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/uz_UZ/install.lang b/htdocs/langs/uz_UZ/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/uz_UZ/install.lang +++ b/htdocs/langs/uz_UZ/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index e571f74d43e..f6629fadaf2 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -426,6 +428,7 @@ Modules=Modules/Applications Option=Option List=List FullList=Full list +FullConversation=Full conversation Statistics=Statistics OtherStatistics=Other statistics Status=Status @@ -663,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -839,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -953,12 +958,13 @@ SearchIntoMembers=Members SearchIntoUsers=Users SearchIntoProductsOrServices=Products or services SearchIntoProjects=Projects +SearchIntoMO=Manufacturing Orders SearchIntoTasks=Tasks SearchIntoCustomerInvoices=Customer invoices SearchIntoSupplierInvoices=Vendor invoices SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=Purchase orders -SearchIntoCustomerProposals=Customer proposals +SearchIntoCustomerProposals=Commercial proposals SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventions SearchIntoContracts=Contracts @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/uz_UZ/modulebuilder.lang b/htdocs/langs/uz_UZ/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/uz_UZ/modulebuilder.lang +++ b/htdocs/langs/uz_UZ/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/uz_UZ/mrp.lang b/htdocs/langs/uz_UZ/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/uz_UZ/mrp.lang +++ b/htdocs/langs/uz_UZ/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/uz_UZ/receptions.lang b/htdocs/langs/uz_UZ/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/uz_UZ/receptions.lang +++ b/htdocs/langs/uz_UZ/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/uz_UZ/stocks.lang +++ b/htdocs/langs/uz_UZ/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/uz_UZ/ticket.lang b/htdocs/langs/uz_UZ/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/uz_UZ/ticket.lang +++ b/htdocs/langs/uz_UZ/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/uz_UZ/website.lang b/htdocs/langs/uz_UZ/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/uz_UZ/website.lang +++ b/htdocs/langs/uz_UZ/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/uz_UZ/withdrawals.lang b/htdocs/langs/uz_UZ/withdrawals.lang index 88e5eaf128c..853b5e54b3e 100644 --- a/htdocs/langs/uz_UZ/withdrawals.lang +++ b/htdocs/langs/uz_UZ/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=Unique Mandate Reference RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang index f979bc9b1a3..a90b39de00a 100644 --- a/htdocs/langs/vi_VN/accountancy.lang +++ b/htdocs/langs/vi_VN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Các bước tiếp theo nên được thực h AccountancyAreaDescActionFreq=Các hành động sau đây thường được thực hiện mỗi tháng, tuần hoặc ngày đối với các công ty rất lớn ... AccountancyAreaDescJournalSetup=BƯỚC %s: Tạo hoặc kiểm tra nội dung danh sách nhật ký của bạn từ menu %s -AccountancyAreaDescChartModel=BƯỚC %s: Tạo mô hình hệ thống tài khoản từ menu %s -AccountancyAreaDescChart=BƯỚC %s: Tạo hoặc kiểm tra nội dung hệ thống tài khoản của bạn từ menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=BƯỚC %s: Xác định tài khoản kế toán cho mỗi mức thuế VAT. Để làm điều này, sử dụng mục menu %s. AccountancyAreaDescDefault=BƯỚC %s: Xác định tài khoản kế toán mặc định. Đối với điều này, sử dụng mục menu %s. diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index 5a41044e730..19c39f201ba 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Giá trị tiếp theo (hóa đơn) NextValueForCreditNotes=Giá trị tiếp theo (giấy báo có) NextValueForDeposit=Giá trị tiếp theo (giảm thanh toán) NextValueForReplacements=Giá trị tiếp theo (thay thế) -MustBeLowerThanPHPLimit=Lưu ý: cấu hình PHP của bạn hiện giới hạn kích thước tệp tối đa để tải lên %s %s, bât kể giá trị của tham số này +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Ghi chú: Không có giới hạn được chỉnh sửa trong phần chỉnh sửa PHP MaxSizeForUploadedFiles=Kích thước tối đa của tập tin được tải lên (0 sẽ tắt chế độ tải lên) UseCaptchaCode=Sử dụng mã xác nhận (CAPTCHA) ở trang đăng nhập @@ -207,7 +207,7 @@ ModulesMarketPlaces=Tìm ứng dụng bên ngoài/ mô-đun ModulesDevelopYourModule=Phát triển ứng dụng / mô-đun của riêng bạn ModulesDevelopDesc=Bạn cũng có thể phát triển mô-đun của riêng bạn hoặc tìm một đối tác để phát triển một mô-đun cho bạn. DOLISTOREdescriptionLong=Thay vì chuyển đổi trên trang web www.dolistore.com để tìm mô-đun bên ngoài, bạn có thể sử dụng công cụ nhúng này sẽ thực hiện tìm kiếm trên chợ bên ngoài cho bạn (có thể chậm, cần truy cập internet) ... -NewModule=Mới +NewModule=Mô-đun mới FreeModule=Miễn phí CompatibleUpTo=Tương thích với phiên bản %s NotCompatible=Mô-đun này dường như không tương thích với Dolibarr %s của bạn (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Mới lạ AchatTelechargement=Mua / Tải xuống GoModuleSetupArea=Để triển khai / cài đặt một mô-đun mới, hãy chuyển đến khu vực thiết lập Mô-đun: %s . DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=Danh sách các công ty cung cấp các mô-đun hoặc tính năng tùy chỉnh được phát triển.
Lưu ý: vì Dolibarr là một ứng dụng nguồn mở, bất kỳ ai có kinh nghiệm về lập trình PHP đều có thể phát triển một mô-đun. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=Các trang web bên ngoài để có thêm các mô-đun bổ sung (không lõi) ... DevelopYourModuleDesc=Một số giải pháp để phát triển mô-đun của riêng bạn ... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Làm mới liên kết LinkToTest=Liên kết có thể click được tạo ra cho người dùng %s (bấm số điện thoại để kiểm tra) KeepEmptyToUseDefault=Giữ trống để sử dụng giá trị mặc định +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Liên kết mặc định SetAsDefault=Đặt làm mặc định ValueOverwrittenByUserSetup=Cảnh báo, giá trị này có thể được ghi đè bởi các thiết lập cụ thể người sử dụng (mỗi người dùng có thể thiết lập url clicktodial riêng của mình) ExternalModule=Module bên ngoài InstalledInto=Đã cài đặt vào thư mục %s -BarcodeInitForthird-parties=Khởi tạo mã vạch hàng loạt cho bên thứ ba +BarcodeInitForThirdparties=Khởi tạo mã vạch hàng loạt cho bên thứ ba BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Hiện tại, bạn có %s bản ghi %s %s không xác định được mã vạch InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Hợp đồng/Thuê bao Module54Desc=Quản lý hợp đồng (dịch vụ hoặc đăng ký định kỳ) Module55Name=Mã vạch Module55Desc=Quản lý mã vạch -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Thanh toán ngân hàng ghi nợ trực tiếp Module57Desc=Quản lý các lệnh thanh toán ghi nợ trực tiếp. Nó bao gồm việc tạo tệp SEPA cho các nước châu Âu. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Ứng dụng/mô-đun có sẵn ToActivateModule=Để kích hoạt mô-đun, đi vào Cài đặt Khu vực (Nhà-> Cài đặt-> Modules). SessionTimeOut=Time out for session SessionExplanation=Con số này đảm bảo rằng phiên làm việc sẽ không bao giờ hết hạn trước độ trễ này, nếu trình dọn dẹp phiên được thực hiện bởi trình dọn dẹp phiên PHP nội bộ (và không có gì khác). Trình dọn dẹp phiên PHP nội bộ không đảm bảo rằng phiên sẽ hết hạn sau thời gian trì hoãn này. Nó sẽ hết hạn, sau sự chậm trễ này và khi trình dọn dẹp phiên chạy, do đó, mọi %s / %s truy cập, nhưng chỉ trong quá trình truy cập được thực hiện bởi các phiên khác (nếu giá trị là 0, thì việc xóa phiên chỉ được thực hiện bởi một quy trình bên ngoài) .
Lưu ý: trên một số máy chủ có cơ chế làm sạch phiên bên ngoài (cron theo debian, ubfox ...), các phiên có thể bị hủy sau một khoảng thời gian được xác định bởi thiết lập bên ngoài, bất kể giá trị được nhập ở đây là gì. +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. TriggersAvailable=Trigger có sẵn TriggersDesc=Triggers là các tệp sẽ sửa đổi hành vi của quy trình công việc Dolibarr sau khi được sao chép vào thư mục htdocs / core/trigger . Nó nhận ra các hành động mới, được kích hoạt trên các sự kiện của Dolibarr (tạo công ty mới, xác thực hóa đơn, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Biên soạn của trường %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Nhận mã vạch NumberingModules=Kiểu thiết lập số +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Quay trở lại một mật khẩu được tạo ra theo thuật toán Dolibarr nội bộ: 8 ký tự có chứa số chia sẻ và ký tự trong chữ thường. PasswordGenerationNone=Không có gợi ý tạo mật khẩu. Mật khẩu phải được nhập bằng tay. @@ -1844,6 +1847,7 @@ MailToThirdparty=Bên thứ ba MailToMember=Thành viên MailToUser=Người dùng MailToProject=Trang dự án +MailToTicket=Vé ByDefaultInList=Hiển thị theo mặc định trên chế độ xem danh sách YouUseLastStableVersion=Bạn sử dụng phiên bản ổn định mới nhất TitleExampleForMajorRelease=Ví dụ về tin nhắn bạn có thể sử dụng để thông báo bản phát hành chính này (vui lòng sử dụng nó trên các trang web của bạn) @@ -1996,6 +2000,7 @@ EmailTemplate=Mẫu cho email EMailsWillHaveMessageID=Email sẽ có thẻ 'Tài liệu tham khảo' khớp với cú pháp này PDF_USE_ALSO_LANGUAGE_CODE=Nếu bạn muốn có text trong PDF của mình bằng 2 ngôn ngữ khác nhau trong cùng một tệp PDF được tạo, bạn phải đặt ở đây ngôn ngữ thứ hai này để PDF được tạo sẽ chứa 2 ngôn ngữ khác nhau trong cùng một trang, một ngôn ngữ được chọn khi tạo PDF và ngôn ngữ này ( chỉ có vài mẫu PDF hỗ trợ này). Giữ trống cho 1 ngôn ngữ trên mỗi PDF. FafaIconSocialNetworksDesc=Nhập vào đây mã của biểu tượng FontAwgie. Nếu bạn không biết FontAwgie là gì, bạn có thể sử dụng fa-address-book +FeatureNotAvailableWithReceptionModule=Tính năng không khả dụng khi mô-đun Tiếp nhận được bật RssNote=Lưu ý: Mỗi nguồn cấp RSS cung cấp một tiện ích mà bạn phải kích hoạt để có sẵn trong bảng điều khiển JumpToBoxes=Chuyển tới Thiết lập --> Widgets MeasuringUnitTypeDesc=Sử dụng ở đây một giá trị như "kích thước", "diện tích", "khối lượng", "trọng lượng", "thời gian" diff --git a/htdocs/langs/vi_VN/agenda.lang b/htdocs/langs/vi_VN/agenda.lang index 17e23a1598e..d3966648a7d 100644 --- a/htdocs/langs/vi_VN/agenda.lang +++ b/htdocs/langs/vi_VN/agenda.lang @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Đăng ký %s cho thành viên %s đã sử MemberSubscriptionDeletedInDolibarr=Đăng ký %s cho thành viên %s đã bị xóa ShipmentValidatedInDolibarr=Lô hàng %s được xác thực ShipmentClassifyClosedInDolibarr=Lô hàng %s được phân loại hóa đơn -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open +ShipmentUnClassifyCloseddInDolibarr=Lô hàng %s được phân loại mở lại ShipmentBackToDraftInDolibarr=Lô hàng %s trở lại trạng thái dự thảo ShipmentDeletedInDolibarr=Lô hàng %s đã bị xóa OrderCreatedInDolibarr=Đặt hàng %s đã tạo @@ -84,13 +84,14 @@ InterventionSentByEMail=Can thiệp %s được gửi qua email ProposalDeleted=Đề xuất đã bị xóa OrderDeleted=Đã xóa đơn hàng InvoiceDeleted=Hóa đơn đã bị xóa +DraftInvoiceDeleted=Hoá đơn dự thảo đã được xoá PRODUCT_CREATEInDolibarr=Sản phẩm %s được tạo PRODUCT_MODIFYInDolibarr=Sản phẩm %s được sửa đổi PRODUCT_DELETEInDolibarr=Đã xóa sản phẩm %s HOLIDAY_CREATEInDolibarr=Yêu cầu nghỉ phép %s được tạo HOLIDAY_MODIFYInDolibarr=Yêu cầu nghỉ phép %s sửa đổi HOLIDAY_APPROVEInDolibarr=Yêu cầu nghỉ phép %s được phê duyệt -HOLIDAY_VALIDATEDInDolibarr=Yêu cầu nghỉ phép %s được xác nhận +HOLIDAY_VALIDATEInDolibarr=Yêu cầu nghỉ phép %s được xác nhận HOLIDAY_DELETEInDolibarr=Yêu cầu nghỉ phép %s đã bị xóa EXPENSE_REPORT_CREATEInDolibarr=Báo cáo chi phí %s đã tạo EXPENSE_REPORT_VALIDATEInDolibarr=Báo cáo chi phí %s được xác nhận @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM bị vô hiệu hóa BOM_REOPENInDolibarr=BOM mở lại BOM_DELETEInDolibarr=BOM đã xóa MRP_MO_VALIDATEInDolibarr=MO đã xác nhận +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO đã tạo MRP_MO_DELETEInDolibarr=MO đã xóa +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Mẫu tài liệu cho sự kiện DateActionStart=Ngày bắt đầu @@ -123,7 +126,7 @@ AgendaUrlOptionsNotAdmin=logina =! %s để hạn chế đầu ra cho cá AgendaUrlOptions4=logint = %s để hạn chế đầu ra cho các hành động được chỉ định cho người dùng %s (chủ sở hữu và những người khác). AgendaUrlOptionsProject=project = __PROJECT_ID__ để hạn chế đầu ra cho các hành động được liên kết với dự án __PROJECT_ID__. AgendaUrlOptionsNotAutoEvent=notactiontype = systemauto để loại trừ các sự kiện tự động. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. +AgendaUrlOptionsIncludeHolidays=includeholidays=1 bào gồm các ngày nghỉ sự kiện AgendaShowBirthdayEvents=Hiển thị ngày sinh của các liên lạc AgendaHideBirthdayEvents=Ẩn ngày sinh của các liên lạc Busy=Bận @@ -151,3 +154,6 @@ EveryMonth=Mỗi tháng DayOfMonth=Ngày trong tháng DayOfWeek=Ngày trong tuần DateStartPlusOne=Ngày bắt đầu + 1 giờ +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang index 67fdcfa5d60..1f8c4071cf2 100644 --- a/htdocs/langs/vi_VN/banks.lang +++ b/htdocs/langs/vi_VN/banks.lang @@ -8,25 +8,25 @@ FinancialAccount=Tài khoản BankAccount=Tài khoản ngân hàng BankAccounts=Tài khoản ngân hàng BankAccountsAndGateways=Tài khoản ngân hàng | Cổng thanh toán -ShowAccount=Hiện tài khoản -AccountRef=Tài khoản tài chính ref -AccountLabel=Nhãn tài khoản tài chính +ShowAccount=Xem tài khoản +AccountRef=Tham chiếu TK chính +AccountLabel=Tên tài khoản tài chính CashAccount=Tài khoản tiền mặt CashAccounts=Tài khoản tiền mặt CurrentAccounts=Tài khoản vãng lai SavingAccounts=Tài khoản tiết kiệm -ErrorBankLabelAlreadyExists=Nhãn tài khoản tài chính đã tồn tại -BankBalance=Cân bằng +ErrorBankLabelAlreadyExists=Tên tài khoản tài chính đã tồn tại +BankBalance=Số dư BankBalanceBefore=Cân đối trước BankBalanceAfter=Cân đối sau BalanceMinimalAllowed=Cân bằng tối thiểu cho phép BalanceMinimalDesired=Cân bằng mong muốn tối thiểu -InitialBankBalance=Cân bằng ban đầu -EndBankBalance=Dư cuối +InitialBankBalance=Số dư ban đầu +EndBankBalance=Số dư cuối CurrentBalance=Số dư hiện tại -FutureBalance=Cân bằng trong tương lai +FutureBalance=Số dư trong tương lai ShowAllTimeBalance=Hiển thị cân bằng từ đầu -AllTime=Từ đầu +AllTime=Từ ngày Reconciliation=Hòa giải RIB=Số tài khoản ngân hàng IBAN=Số IBAN @@ -37,6 +37,8 @@ IbanValid=BAN hợp lệ IbanNotValid=BAN không hợp lệ StandingOrders=Lệnh ghi nợ trực tiếp StandingOrder=Lệnh ghi nợ trực tiếp +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Sao kê tài khoản AccountStatementShort=Sao kê AccountStatements=Sao kê tài khoản @@ -74,9 +76,9 @@ ListTransactions=Danh sách kê khai ListTransactionsByCategory=Liệt kê mục/nhóm TransactionsToConciliate=Mục cần đối chiếu TransactionsToConciliateShort=Đối chiếu -Conciliable=Có thể được đối chiếu -Conciliate=Đối chiếu -Conciliation=Đối chiếu +Conciliable=Có thể được đối soát +Conciliate=Đối soát +Conciliation=Đối soát SaveStatementOnly=Chỉ lưu sao kê ReconciliationLate=Đối chiếu sau IncludeClosedAccount=Bao gồm các tài khoản đã đóng @@ -84,7 +86,7 @@ OnlyOpenedAccount=Chỉ tài khoản đang mở AccountToCredit=Tài khoản tín dụng AccountToDebit=Tài khoản ghi nợ DisableConciliation=Vô hiệu hoá tính đối chiếu cho tài khoản này -ConciliationDisabled=Tính năng đối chiếu bị vô hiệu hóa +ConciliationDisabled=Tính năng đối soát bị vô hiệu hóa LinkedToAConciliatedTransaction=Liên kết đến một mục được giải trình StatusAccountOpened=Mở StatusAccountClosed=Đóng @@ -92,21 +94,21 @@ AccountIdShort=Số LineRecord=Giao dịch AddBankRecord=Thêm kê khai AddBankRecordLong=Thêm kê khai thủ công -Conciliated=Đã đối chiếu -ConciliatedBy=Đối chiếu bởi -DateConciliating=Ngày đối chiếu -BankLineConciliated=Entry reconciled with bank receipt -Reconciled=Đã đối chiếu -NotReconciled=Chưa đối chiếu +Conciliated=Đã đối soát +ConciliatedBy=Đối soát bởi +DateConciliating=Ngày đối soát +BankLineConciliated=Giao dịch đã được đối soát +Reconciled=Đã đối soát +NotReconciled=Chưa đối soát CustomerInvoicePayment=Thanh toán của khách hàng SupplierInvoicePayment=Nhà cung cấp thanh toán -SubscriptionPayment=Thanh toán mô tả +SubscriptionPayment=Thanh toán đăng ký WithdrawalPayment=Lệnh thanh toán ghi nợ -SocialContributionPayment=Thanh toán xã hội/ fiscal tax +SocialContributionPayment=Thanh toán phí/thuế khác BankTransfer=Chuyển khoản ngân hàng BankTransfers=Chuyển khoản ngân hàng 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 mục tiêu). Cùng một 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=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 TransferFrom=Từ TransferTo=Đến TransferFromToDone=Một chuyển khoản từ %s đến %s của %s %s đã được ghi lại. @@ -142,7 +144,7 @@ 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". 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=Để đối chiếu +ToConciliate=Cần đối soát? ThenCheckLinesAndConciliate=Sau đó, kiểm tra những dòng hiện trong báo cáo ngân hàng và nhấp DefaultRIB=BAN mặc định AllRIB=Tất cả BAN @@ -154,7 +156,7 @@ RejectCheck=Séc bị trả lại ConfirmRejectCheck=Bạn có muốn đánh dấu séc này bị từ chối? RejectCheckDate=Ngày séc bị trả lại CheckRejected=Séc bị trả lại -CheckRejectedAndInvoicesReopened=Check returned and invoices re-open +CheckRejectedAndInvoicesReopened=Hoàn trả check và hoá đơn được mở lại BankAccountModelModule=Mẫu tài liệu dàng cho tài khoản ngân hàng DocumentModelSepaMandate=Mẫu ủy quyền SEPA. Chỉ hữu ích cho các nước châu Âu trong EEC. DocumentModelBan=Mẫu để in 1 trang với thông tin BAN diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index 4012e188c09..1b629dd33fc 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Giảm giá được tặng (thanh toán trước hạn) EscompteOfferedShort=Giảm giá SendBillRef=Nộp hóa đơn %s SendReminderBillRef=Nộp hóa đơn %s (nhắc nhở) -StandingOrders=Lệnh ghi nợ trực tiếp -StandingOrder=Lệnh ghi nợ trực tiếp NoDraftBills=Không có hóa đơn dự thảo NoOtherDraftBills=Không có hóa đơn dự thảo khác NoDraftInvoices=Không có hóa đơn dự thảo @@ -572,3 +570,6 @@ AutoFillDateToShort=Đặt ngày kết thúc MaxNumberOfGenerationReached=Số lượng tạo ra đạt tối đa BILL_DELETEInDolibarr=Hóa đơn đã bị xóa BILL_SUPPLIER_DELETEInDolibarr=Hoá đơn Nhà cung cấp đã được xoá +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/vi_VN/cashdesk.lang b/htdocs/langs/vi_VN/cashdesk.lang index ccfe1669ae1..aa87bedf66d 100644 --- a/htdocs/langs/vi_VN/cashdesk.lang +++ b/htdocs/langs/vi_VN/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Thêm bài viết này RestartSelling=Quay trở lại trên bán SellFinished=Hoàn thành bán hàng PrintTicket=In vé -SendTicket=Send ticket +SendTicket=Gửi phiếu NoProductFound=Không có bài viết được tìm thấy ProductFound=sản phẩm tìm thấy NoArticle=Không có bài viết @@ -60,9 +60,9 @@ TakeposNeedsCategories=TakePOS cần các danh mục sản phẩm để hoạt OrderNotes=Ghi chú đơn hàng 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=Group VAT by rate in tickets|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts +TicketVatGrouped=VAT nhóm theo tỷ lệ trong vé | biên lai +AutoPrintTickets=Tự động in vé | biên lai +PrintCustomerOnReceipts=In khách hàng trên vé | biên lai EnableBarOrRestaurantFeatures=Cho phép tính năng cho Bar hoặc Restaurant ConfirmDeletionOfThisPOSSale=Bạn có xác nhận việc xóa bán hàng hiện tại này không? ConfirmDiscardOfThisPOSSale=Bạn có muốn loại bỏ bán hàng hiện tại này? @@ -82,27 +82,31 @@ 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=Product Supplements -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful -HeadBar=Head Bar -SortProductField=Field for sorting products +ProductSupplements=Sản phẩm bổ sung +SupplementCategory=Danh mục bổ sung +ColorTheme=Màu giao diện +Colorful=Màu sắc +HeadBar=Phần tiêu đề +SortProductField=Sắp xếp các trường sản phẩm Browser=Trình duyệt -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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -ControlCashOpening=Control cash box at opening pos +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. +ByTerminal=Bởi cổng +TakeposNumpadUsePaymentIcon=Sử dụng biểu tượng thanh toán trên numpad +CashDeskRefNumberingModules=Numbering module for POS sales +CashDeskGenericMaskCodes6 =
{TN}được sử dụng để thêm số thiết bị đầu cuối +TakeposGroupSameProduct=Nhóm sản phẩm cùng dòng +StartAParallelSale=Bắt đầu bán hàng mới +ControlCashOpening=Kiểm soát hộp tiền mặt khi mở pos CloseCashFence=Close cash fence -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use +CashReport=Báo cáo tiền mặt +MainPrinterToUse=Máy in chính để dùng +OrderPrinterToUse=Máy in đơn hàng để dùng +MainTemplateToUse=Mẫu chính để dùng +OrderTemplateToUse=Mẫu đơn hàng để dùng +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/vi_VN/categories.lang b/htdocs/langs/vi_VN/categories.lang index 011cefc3330..903711aa4ce 100644 --- a/htdocs/langs/vi_VN/categories.lang +++ b/htdocs/langs/vi_VN/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=thẻ/ danh mục Tài khoản ProjectsCategoriesShort=thẻ/danh mục Dự án UsersCategoriesShort=thẻ/ danh mục Người dùng StockCategoriesShort=thẻ/ danh mục Kho -ThisCategoryHasNoProduct=Danh mục này không chứa bất kỳ sản phẩm nào. -ThisCategoryHasNoSupplier=Danh mục này không chứa bất kỳ nhà cung cấp nào. -ThisCategoryHasNoCustomer=Danh mục này không chứa bất kỳ khách hàng nào. -ThisCategoryHasNoMember=Danh mục này không chứa bất kỳ thành viên nào. -ThisCategoryHasNoContact=Danh mục này không chứa bất kỳ liên lạc nào. -ThisCategoryHasNoAccount=Danh mục này không chứa bất kỳ tài khoản nào. -ThisCategoryHasNoProject=Danh mục này không chứa bất kỳ dự án nào. +ThisCategoryHasNoItems=Danh mục này không có dữ liệu nào CategId=ID thẻ/ danh mục CatSupList=Danh sách Nhà cung cấp thẻ/ danh mục CatCusList=Danh sách khách hàng/ tiềm năng thẻ/ danh mục @@ -78,7 +72,7 @@ CatMemberList=Danh sách thành viên thẻ/ danh mục CatContactList=Danh sách liên lạc thẻ/ danh mục CatSupLinks=Liên kết giữa nhà cung cấp và thẻ/ danh mục CatCusLinks=Liên kết giữa khách hàng/ tiềm năng và thẻ/ danh mục -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Liên kết Liên hệ/địa chỉ với danh mục CatProdLinks=Liên kết giữa sản phẩm/ dịch vụ và thẻ/ danh mục CatProJectLinks=Liên kết giữa dự án và thẻ/ danh mục DeleteFromCat=Xóa khỏi thẻ/ danh mục @@ -91,5 +85,6 @@ ShowCategory=Hiển thị thẻ/ danh mục ByDefaultInList=Theo mặc định trong danh sách ChooseCategory=Chọn danh mục StocksCategoriesArea=Khu vực Danh mục Kho -ActionCommCategoriesArea=Events Categories Area +ActionCommCategoriesArea=Khu vực danh mục sự kiện +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Sử dụng hoặc điều hành các danh mục diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang index f5be2da418e..b826fca3864 100644 --- a/htdocs/langs/vi_VN/companies.lang +++ b/htdocs/langs/vi_VN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Khu vực khảo sát IdThirdParty=ID bên thứ ba IdCompany=ID công ty IdContact=ID liên lạc -Contacts=Liên lạc/Địa chỉ ThirdPartyContacts=Liên lạc của bên thứ ba ThirdPartyContact=Liên lạc/ địa chỉ của bên thứ ba Company=Công ty @@ -247,7 +246,7 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- -ProfId1RO=Prof Id 1 (CUI) +ProfId1RO=Prof Id 1 (NaN) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=- @@ -298,7 +297,8 @@ AddContact=Tạo liên lạc AddContactAddress=Tạo liên lạc/địa chỉ EditContact=Sửa liên lạc EditContactAddress=Sửa liên lạc/địa chỉ -Contact=Liên lạc +Contact=Contact/Address +Contacts=Liên lạc/Địa chỉ ContactId=ID Liên lạc ContactsAddresses=Liên lạc/địa chỉ FromContactName=Tên: @@ -325,7 +325,8 @@ CompanyDeleted=Công ty "%s" đã xóa khỏi cơ sở dữ liệu. ListOfContacts=Danh sách liên lạc/địa chỉ ListOfContactsAddresses=Danh sách liên lạc/địa chỉ ListOfThirdParties=Danh sách các bên thứ ba -ShowContact=Hiện liên lạc +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=Tất cả (không lọc) ContactType=Loại liên lạc ContactForOrders=Liên lạc đơn hàng @@ -344,7 +345,7 @@ MyContacts=Liên lạc của tôi Capital=Vốn CapitalOf=Vốn của %s EditCompany=Chỉnh sửa công ty -ThisUserIsNot=This user is not a prospect, customer or vendor +ThisUserIsNot=Người này không phải tiềm năng, khách hàng hoặc NCC VATIntraCheck=Kiểm tra VATIntraCheckDesc=ID VAT phải bao gồm tiền tố quốc gia. Liên kết %s sử dụng dịch vụ kiểm tra VAT Châu Âu (VIES) yêu cầu truy cập internet từ máy chủ Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -411,7 +412,7 @@ AllocateCommercial=Giao cho đại diện bán hàng Organization=Tổ chức FiscalYearInformation=Năm tài chính FiscalMonthStart=Tháng bắt đầu của năm tài chính -SocialNetworksInformation=Social networks +SocialNetworksInformation=Mạng xã hội SocialNetworksFacebookURL=Facebook URL SocialNetworksTwitterURL=Twitter URL SocialNetworksLinkedinURL=Linkedin URL @@ -424,7 +425,7 @@ 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=Các bên thứ ba đã sửa đổi %s +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Tổng số bên thứ ba InActivity=Mở ActivityCeased=Đóng diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang index fb14daeeb4d..a9da9c0557b 100644 --- a/htdocs/langs/vi_VN/errors.lang +++ b/htdocs/langs/vi_VN/errors.lang @@ -59,7 +59,7 @@ ErrorPartialFile=File không nhận được hoàn toàn bởi máy chủ. ErrorNoTmpDir=Directy tạm thời% s không tồn tại. ErrorUploadBlockedByAddon=Tải bị chặn bởi một plugin PHP / Apache. ErrorFileSizeTooLarge=Kích thước quá lớn. -ErrorFieldTooLong=Field %s is too long. +ErrorFieldTooLong=Kích thước trường %squá lớn. ErrorSizeTooLongForIntType=Kích thước quá dài cho kiểu int (tối đa số% s) ErrorSizeTooLongForVarcharType=Kích thước quá dài cho kiểu chuỗi (ký tự tối đa% s) ErrorNoValueForSelectType=Xin vui lòng điền giá trị so với danh sách lựa chọn @@ -97,7 +97,7 @@ ErrorBadMaskFailedToLocatePosOfSequence=Lỗi, mặt nạ mà không có số th ErrorBadMaskBadRazMonth=Lỗi, giá trị thiết lập lại xấu ErrorMaxNumberReachForThisMask=Số lượng tối đa được đưa ra cho mặt nạ này ErrorCounterMustHaveMoreThan3Digits=Bộ đếm phải có nhiều hơn 3 chữ số -ErrorSelectAtLeastOne=Error, select at least one entry. +ErrorSelectAtLeastOne=Lỗi. Chọn ít nhất một mục. ErrorDeleteNotPossibleLineIsConsolidated=Không thể xóa vì bản ghi được liên kết với giao dịch ngân hàng được hợp nhất ErrorProdIdAlreadyExist=% S được gán cho một phần ba ErrorFailedToSendPassword=Không gửi mật khẩu @@ -118,9 +118,9 @@ ErrorLoginDoesNotExists=Người sử dụng có đăng nhập% s không ErrorLoginHasNoEmail=Thành viên này không có địa chỉ email. Quá trình hủy bỏ. ErrorBadValueForCode=Bad giá trị so với mã bảo vệ. Hãy thử lại với giá trị mới ... ErrorBothFieldCantBeNegative=Fields% s và% s không thể được cả hai tiêu cực -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. -ErrorLinesCantBeNegativeForOneVATRate=Total of lines can't be negative for a given VAT rate. -ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorFieldCantBeNegativeOnInvoice=Trường %s không thể có giá trị âm trên loại hóa đơn này. Nếu bạn muốn thêm một dòng giảm giá, trước tiên chỉ cần tạo giảm giá (từ trường'%s' trong thẻ bên thứ 3) và áp dụng nó vào hóa đơn +ErrorLinesCantBeNegativeForOneVATRate=Tổng trị giá không thể là số am trong thuế VAT +ErrorLinesCantBeNegativeOnDeposits=Các dòng này không thể âm. Bạn sẽ gặp khó khăn khi bạn tổng hợp đặt cọc vào hoá đơn cuối ErrorQtyForCustomerInvoiceCantBeNegative=Số lượng cho dòng vào hóa đơn của khách hàng không thể âm ErrorWebServerUserHasNotPermission=Tài khoản người dùng% s được sử dụng để thực hiện các máy chủ web không có sự cho phép cho điều đó ErrorNoActivatedBarcode=Không có loại mã vạch kích hoạt @@ -226,17 +226,17 @@ ErrorSearchCriteriaTooSmall=Tiêu chí tìm kiếm quá nhỏ. ErrorObjectMustHaveStatusActiveToBeDisabled=Các đối tượng phải có trạng thái 'Hoạt động' để được vô hiệu ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Các đối tượng phải có trạng thái 'Dự thảo' hoặc 'Đã vô hiệu' để được kích hoạt ErrorNoFieldWithAttributeShowoncombobox=Không có trường nào có thuộc tính 'showoncombobox' bên trong định nghĩa của đối tượng '%s'. Không có cách nào để hiển thị combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s -ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. -ErrorAddAtLeastOneLineFirst=Add at least one line first -ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible. -ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one. -ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one. -ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s". -ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s". -ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorFieldRequiredForProduct=Cần khai báo trường '%s' cho sản phẩm%s +ProblemIsInSetupOfTerminal=Vấn đề là do thiết lập cổng %s +ErrorAddAtLeastOneLineFirst=Thêm ít nhất một dòng +ErrorRecordAlreadyInAccountingDeletionNotPossible=Lỗi, dữ liệu đã được chuyển vào sổ kế toán, việc xoá là không thể thực hiện +ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Lỗi, ngôn ngữ là chính nếu bạn thiết lập trang như bản dịch của trang khác +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Lỗi, ngôn ngữ được dịch giống nhau hơn một lần +ErrorBatchNoFoundForProductInWarehouse=Lô/seri của sản phẩm %s không có trong kho %s +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Số lượng không đủ của lô/seri của sản phẩm %s trong kho %s +ErrorOnlyOneFieldForGroupByIsPossible=Chỉ có 1 trường được Nhóm bởi là có thể (các trường khác không phù hợp) +ErrorTooManyDifferentValueForSelectedGroupBy=Tìm thấy rất nhiều giá trị khác nhau (hơn một %s) cho trường ' %s', nên chúng tôi không thể tạo nó như một 'Nhóm' cho Biểu đồ. Trường 'Nhóm bởi' đã được xóa. Có phải bạn muốn tạo nó cho trục X? +ErrorReplaceStringEmpty=Lỗi, cụm từ để thay thế đang trống # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Tham số PHP của bạn upload_max_filesize (%s) cao hơn tham số PHP post_max_size (%s). Đây không phải là một thiết lập phù hợp. WarningPasswordSetWithNoAccount=Một mật khẩu đã được đặt cho thành viên này. Tuy nhiên, không có tài khoản người dùng nào được tạo. Vì vậy, mật khẩu này được lưu trữ nhưng không thể được sử dụng để đăng nhập vào Dolibarr. Nó có thể được sử dụng bởi một mô-đun / giao diện bên ngoài nhưng nếu bạn không cần xác định bất kỳ thông tin đăng nhập hay mật khẩu nào cho thành viên, bạn có thể tắt tùy chọn "Quản lý đăng nhập cho từng thành viên" từ thiết lập mô-đun Thành viên. Nếu bạn cần quản lý thông tin đăng nhập nhưng không cần bất kỳ mật khẩu nào, bạn có thể để trống trường này để tránh cảnh báo này. Lưu ý: Email cũng có thể được sử dụng làm thông tin đăng nhập nếu thành viên được liên kết với người dùng. @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Cảnh báo, số lượng ngư WarningDateOfLineMustBeInExpenseReportRange=Cảnh báo, ngày của dòng không nằm trong phạm vi của báo cáo chi phí WarningProjectClosed=Dự án đã đóng. Bạn phải mở lại nó trước. WarningSomeBankTransactionByChequeWereRemovedAfter=Một số giao dịch ngân hàng đã bị xóa sau đó biên nhận bao gồm cả chúng được tạo ra. Vì vậy, số lượng séc và tổng số hóa đơn có thể khác với số lượng và tổng số trong danh sách. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/vi_VN/hrm.lang b/htdocs/langs/vi_VN/hrm.lang index ad9a84f1df1..7977420fa15 100644 --- a/htdocs/langs/vi_VN/hrm.lang +++ b/htdocs/langs/vi_VN/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Đóng cơ sở # Dictionary DictionaryPublicHolidays=HRM - Ngày lễ DictionaryDepartment=HRM - Danh sách phòng/ban -DictionaryFunction=HRM - Danh sách vai trò +DictionaryFunction=HRM - Job positions # Module Employees=Nhân viên Employee=Nhân viên diff --git a/htdocs/langs/vi_VN/install.lang b/htdocs/langs/vi_VN/install.lang index 2653ffb9df1..0df59a9f2df 100644 --- a/htdocs/langs/vi_VN/install.lang +++ b/htdocs/langs/vi_VN/install.lang @@ -16,8 +16,8 @@ PHPSupportCurl=PHP này hỗ trợ Curl. PHPSupportCalendar=PHP này hỗ trợ các lịch phần mở rộng. PHPSupportUTF8=PHP này hỗ trợ các chức năng UTF8. PHPSupportIntl=PHP này hỗ trợ các chức năng Intl. -PHPSupportxDebug=This PHP supports extended debug functions. -PHPSupport=This PHP supports %s functions. +PHPSupportxDebug=PHP này hỗ trợ mở rộng chức năng debug +PHPSupport=PHP này hỗ trợ %s hàm PHPMemoryOK=PHP bộ nhớ phiên tối đa của bạn được thiết lập %s. Điều này là đủ. PHPMemoryTooLow=Bộ nhớ phiên tối đa PHP của bạn được đặt thành %s byte. Điều này là quá thấp. Thay đổi php.ini của bạn để đặt tham số memory_limit thành ít nhất %s byte. Recheck=Nhấn vào đây để kiểm tra chi tiết hơn @@ -27,8 +27,8 @@ ErrorPHPDoesNotSupportCurl=Cài đặt PHP của bạn không hỗ trợ Curl. ErrorPHPDoesNotSupportCalendar=Cài đặt PHP của bạn không hỗ trợ các phần mở rộng lịch php. ErrorPHPDoesNotSupportUTF8=Cài đặt PHP của bạn không hỗ trợ các chức năng UTF8. Dolibarr không thể hoạt động chính xác. Giải quyết điều này trước khi cài đặt Dolibarr. ErrorPHPDoesNotSupportIntl=Cài đặt PHP của bạn không hỗ trợ các chức năng Intl. -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. -ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. +ErrorPHPDoesNotSupportxDebug=PHP của bạn không hỗ trợ mở rộng chức năng debug +ErrorPHPDoesNotSupport=PHP của bạn không hỗ trợ %s hàm ErrorDirDoesNotExists=Thư mục %s không tồn tại. ErrorGoBackAndCorrectParameters=Quay lại và kiểm tra / sửa các tham số. ErrorWrongValueForParameter=Bạn có thể gõ một giá trị sai cho tham số '%s'. @@ -93,7 +93,7 @@ GoToSetupArea=Tới Dolibarr (setup) MigrationNotFinished=Phiên bản cơ sở dữ liệu không hoàn toàn cập nhật: chạy lại quá trình nâng cấp. GoToUpgradePage=Tới nâng cấp trang lại WithNoSlashAtTheEnd=Nếu không có các dấu gạch chéo "/" ở cuối -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). +DirectoryRecommendation=Quan trọng:Bạn phải sử dụng một thư mục nằm ngoài các trang web (vì vậy không sử dụng thư mục con của tham số trước đó). LoginAlreadyExists=Đã tồn tại DolibarrAdminLogin=Dolibarr quản trị đăng nhập AdminLoginAlreadyExists=Tài khoản quản trị viên Dolibarr '%s' đã tồn tại. Quay trở lại nếu bạn muốn tạo một cái khác. @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=(Các) lỗi đã được báo cáo trong quá trình YouTryInstallDisabledByDirLock=Ứng dụng đã cố gắng tự nâng cấp, nhưng các trang cài đặt / nâng cấp đã bị vô hiệu hóa để bảo mật (thư mục được đổi tên với hậu tố .lock).
YouTryInstallDisabledByFileLock=Ứng dụng đã cố gắng tự nâng cấp, nhưng các trang cài đặt / nâng cấp đã bị vô hiệu hóa để bảo mật (bởi sự tồn tại của tệp khóa install.lock trong thư mục tài liệu dolibarr).
ClickHereToGoToApp=Nhấn vào đây để đi đến ứng dụng của bạn -ClickOnLinkOrRemoveManualy=Nhấp vào liên kết sau. Nếu bạn luôn thấy cùng trang này, bạn phải xóa / đổi tên tệp install.lock trong thư mục tài liệu. -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +Loaded=Đã tải +FunctionTest=Thử nghiệm chức năng diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index ab5388d128d..cb51c13d006 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=Không có sẵn mẫu nào cho loại email này AvailableVariables=Các biến thay thế có sẵn NoTranslation=Không dịch Translation=Dịch -EmptySearchString=Nhập một chuỗi tìm kiếm không được bỏ trống +EmptySearchString=Enter non empty search criterias NoRecordFound=Không tìm thấy bản ghi NoRecordDeleted=Không có bản ghi nào bị xóa NotEnoughDataYet=Không đủ dữ liệu @@ -174,7 +174,7 @@ SaveAndStay=Lưu và ở lại SaveAndNew=Lưu và tạo mới TestConnection=Kiểm tra kết nối ToClone=Nhân bản -ConfirmCloneAsk=Are you sure you want to clone the object %s? +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: NoCloneOptionsSpecified=Không có dữ liệu nhân bản được xác định. Of=của @@ -187,6 +187,8 @@ ShowCardHere=Thẻ hiển thị Search=Tìm kiếm SearchOf=Tìm kiếm SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Xác nhận Approve=Duyệt Disapprove=Không chấp thuận @@ -353,8 +355,8 @@ PriceUTTC=Đơn giá (gồm thuế) Amount=Số tiền AmountInvoice=Số tiền hóa đơn AmountInvoiced=Số tiền đã xuất hóa đơn -AmountInvoicedHT=Amount invoiced (incl. tax) -AmountInvoicedTTC=Amount invoiced (excl. tax) +AmountInvoicedHT=Số tiền (gồm thuế) +AmountInvoicedTTC=Số tiền (chưa gồm thuế) AmountPayment=Số tiền thanh toán AmountHTShort=Số tiền (không bao gồm) AmountTTCShort=Số tiền (gồm thuế) @@ -426,6 +428,7 @@ Modules=Mô-đun / Ứng dụng Option=Tùy chọn List=Danh sách FullList=Danh mục đầy đủ +FullConversation=Full conversation Statistics=Thống kê OtherStatistics=Thống kê khác Status=Trạng thái @@ -474,7 +477,7 @@ TotalDuration=Tổng thời hạn Summary=Tóm tắt DolibarrStateBoard=Thống kê cơ sở dữ liệu DolibarrWorkBoard=Các chỉ mục mở -NoOpenedElementToProcess=No open element to process +NoOpenedElementToProcess=Không có phần tử mở để xử lý Available=Sẵn có NotYetAvailable=Chưa có NotAvailable=Chưa có @@ -663,6 +666,7 @@ Owner=Chủ sở hữu FollowingConstantsWillBeSubstituted=Các hằng số sau đây sẽ được thay thế bằng giá trị tương ứng. Refresh=Làm mới BackToList=Trở lại danh sách +BackToTree=Back to tree GoBack=Quay trở lại CanBeModifiedIfOk=Có thể được điều chỉnh nếu hợp lệ CanBeModifiedIfKo=Có thể được điều sửa nếu không hợp lệ @@ -830,8 +834,8 @@ Gender=Giới tính Genderman=Nam Genderwoman=Nữ ViewList=Danh sách xem -ViewGantt=Gantt view -ViewKanban=Kanban view +ViewGantt=Xem dạng Gantt +ViewKanban=Xem dạng Kanban Mandatory=Bắt buộc Hello=Xin chào GoodBye=Tạm biệt @@ -839,6 +843,7 @@ Sincerely=Trân trọng ConfirmDeleteObject=Bạn có chắc chắn muốn xóa đối tượng này? DeleteLine=Xóa dòng ConfirmDeleteLine=Bạn có chắc chắn muốn xóa dòng này? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=Không có bản PDF nào để tạo tài liệu trong số các bản ghi được kiểm tra TooManyRecordForMassAction=Quá nhiều bản ghi được chọn cho hành động hàng loạt. Hành động được giới hạn trong danh sách các bản ghi %s. NoRecordSelected=Không có bản ghi nào được chọn @@ -953,12 +958,13 @@ SearchIntoMembers=Thành viên SearchIntoUsers=Người dùng SearchIntoProductsOrServices=Sản phẩm hoặc dịch vụ SearchIntoProjects=Các dự án +SearchIntoMO=Đơn đặt hàng sản xuất SearchIntoTasks=Tác vụ SearchIntoCustomerInvoices=Hóa đơn khách hàng SearchIntoSupplierInvoices=Hóa đơn nhà cung cấp SearchIntoCustomerOrders=Đơn bán hàng SearchIntoSupplierOrders=Đơn đặt hàng mua -SearchIntoCustomerProposals=Đề xuất khách hàng +SearchIntoCustomerProposals=Đơn hàng đề xuất SearchIntoSupplierProposals=Đề xuất nhà cung cấp SearchIntoInterventions=Interventions SearchIntoContracts=Hợp đồng @@ -1010,7 +1016,7 @@ ContactDefault_contrat=Hợp đồng ContactDefault_facture=Hoá đơn ContactDefault_fichinter=Can thiệp ContactDefault_invoice_supplier=Hóa đơn nhà cung cấp -ContactDefault_order_supplier=Purchase Order +ContactDefault_order_supplier=Đơn hàng nhà cung cấp ContactDefault_project=Dự án ContactDefault_project_task=Tác vụ ContactDefault_propal=Đơn hàng đề xuất @@ -1018,13 +1024,18 @@ ContactDefault_supplier_proposal=Đề xuất nhà cung cấp ContactDefault_ticket=Vé ContactAddedAutomatically=Liên lạc được thêm từ vai trò liên lạc của bên thứ ba More=Thêm nữa -ShowDetails=Show details -CustomReports=Custom reports -StatisticsOn=Statistics on -SelectYourGraphOptionsFirst=Select your graph options to build a graph -Measures=Measures -XAxis=X-Axis -YAxis=Y-Axis -StatusOfRefMustBe=Status of %s must be %s -DeleteFileHeader=Confirm file delete -DeleteFileText=Do you really want delete this file? +ShowDetails=Xem chi tiết +CustomReports=Báo cáo khách hàng +StatisticsOn=Thống kê vào +SelectYourGraphOptionsFirst=Chọn loại dạng biểu đồ để dựng biểu đồ +Measures=Đo lường +XAxis=Trục X +YAxis=Trục Y +StatusOfRefMustBe=Trạng thái của %sphải là %s +DeleteFileHeader=Xác nhận xoá file +DeleteFileText=Bạn có chắc muốn xoá file này? +ShowOtherLanguages=Xem ngôn ngữ khác +SwitchInEditModeToAddTranslation=Mở sang chế độ chỉnh sửa và thêm bản dịch khác cho ngôn ngữ này +NotUsedForThisCustomer=Không sử dụng cho khách hàng này +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang index 455ce16e8bb..f2aa036ec7d 100644 --- a/htdocs/langs/vi_VN/modulebuilder.lang +++ b/htdocs/langs/vi_VN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Khu vực nguy hiểm BuildPackage=Xây dựng gói BuildPackageDesc=Bạn có thể tạo gói zip của ứng dụng để bạn sẵn sàng phân phối nó trên bất kỳ Dolibarr nào. Bạn cũng có thể phân phối hoặc bán nó trên thị trường như DoliStore.com . BuildDocumentation=Xây dựng tài liệu -ModuleIsNotActive=Mô-đun này chưa được kích hoạt. Truy cập %s để làm sống hoặc nhấp vào đây: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=Mô-đun này đã được kích hoạt. Bất kỳ thay đổi có thể phá vỡ một tính năng sống hiện tại. DescriptionLong=Mô tả dài EditorName=Tên biên tập viên @@ -139,3 +139,4 @@ ForeignKey=Khóa ngoại TypeOfFieldsHelp=Kiểu trường:
varchar (99), double (24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' có nghĩa là chúng ta thêm nút + sau khi kết hợp để tạo bản ghi, ví dụ 'bộ lọc' có thể là 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTEER__)') AsciiToHtmlConverter=Chuyển mã ASCII sang HTML AsciiToPdfConverter=Chuyển ASCII sang PDF +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/vi_VN/mrp.lang b/htdocs/langs/vi_VN/mrp.lang index 0eedd19fc2a..d7cbd41eb33 100644 --- a/htdocs/langs/vi_VN/mrp.lang +++ b/htdocs/langs/vi_VN/mrp.lang @@ -56,11 +56,12 @@ ToConsume=Để tiêu thụ ToProduce=Để sản xuất QtyAlreadyConsumed=Số lượng đã tiêu thụ QtyAlreadyProduced=Số lượng đã được sản xuất +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Tiêu thụ và sản xuất tất cả Manufactured=Được sản xuất TheProductXIsAlreadyTheProductToProduce=Các sản phẩm để thêm đã là sản phẩm để sản xuất. -ForAQuantityOf1=Đối với số lượng sản xuất là 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Bạn có chắc chắn muốn xác nhận Đơn hàng sản xuất này không? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index bb29fddc9fe..e49834bd3b5 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -24,17 +24,17 @@ MessageOK=Thông điệp trên trang trả về cho một khoản thanh toán đ MessageKO=Thông điệp trên trang trả về cho một khoản thanh toán bị hủy ContentOfDirectoryIsNotEmpty=Nội dung của thư mục này không rỗng. DeleteAlsoContentRecursively=Kiểm tra để xóa tất cả nội dung lặp lại -PoweredBy=Powered by +PoweredBy=Thực hiện bởi YearOfInvoice=Năm hóa đơn PreviousYearOfInvoice=Năm trước của ngày hóa đơn NextYearOfInvoice=Năm sau của ngày hóa đơn DateNextInvoiceBeforeGen=Ngày của hóa đơn tiếp theo (trước khi tạo) DateNextInvoiceAfterGen=Ngày của hóa đơn tiếp theo (sau khi tạo) -GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead. -OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected. -AtLeastOneMeasureIsRequired=At least 1 field for measure is required -AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required -LatestBlogPosts=Latest Blog Posts +GraphInBarsAreLimitedToNMeasures=Đồ họa được giới hạn%s ở các số đo trong chế độ 'Bars'. Thay vào đó, chế độ 'Lines' được chọn tự động. +OnlyOneFieldForXAxisIsPossible=Hiện tại chỉ có 1 trường là X-Trục. Chỉ có trường được chọn đầu tiên đã được chọn. +AtLeastOneMeasureIsRequired=Ít nhất 1 trường đo lường là được yêu cầu +AtLeastOneXAxisIsRequired=Ít nhất 1 trường cho trục X là được yêu cầu +LatestBlogPosts=Các tin tức mới nhất Notify_ORDER_VALIDATE=Đơn đặt hàng bán đã được xác nhận Notify_ORDER_SENTBYMAIL=Đơn đặt hàng bán được gửi email Notify_ORDER_SUPPLIER_SENTBYMAIL=Đơn đặt hàng mua được gửi qua email @@ -85,8 +85,8 @@ MaxSize=Kích thước tối đa AttachANewFile=Đính kèm một tập tin mới / tài liệu LinkedObject=Đối tượng liên quan NbOfActiveNotifications=Số lượng thông báo (số lượng email của người nhận) -PredefinedMailTest=__ (Xin chào) __ \nĐây là thư kiểm tra được gửi tới __EMAIL__. \nHai dòng được phân tách bằng một chuyển trở về. \n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__ (Xin chào) __ \nĐây là thư kiểm tra (bài kiểm tra từ phải được in đậm).
Hai dòng được phân tách bằng một chuyển trở về.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__ (Xin chào) __ \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__ (Xin chào) __\nVui lòng tìm hóa đơn __REF__ đính kèm \n\n__ONLINE_PAYMENT_TEXT_AND_URL__ \n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__ (Xin chào) __ \n\nChúng tôi muốn nhắc bạn rằng hóa đơn __REF__ dường như chưa được thanh toán. Một bản sao của hóa đơn được đính kèm như một lời nhắc nhở. \n\n__ONLINE_PAYMENT_TEXT_AND_URL__ \n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__ @@ -108,8 +108,8 @@ DemoFundation=Quản lý thành viên của một nền tảng DemoFundation2=Quản lý thành viên và tài khoản ngân hàng của một nền tảng DemoCompanyServiceOnly=Chỉ công ty hoặc dịch vụ bán hàng tự do DemoCompanyShopWithCashDesk=Quản lý một cửa hàng với một bàn bằng tiền mặt -DemoCompanyProductAndStocks=Shop selling products with Point Of Sales -DemoCompanyManufacturing=Company manufacturing products +DemoCompanyProductAndStocks=Cửa hàng bán sản phẩm qua điểm bán hàng +DemoCompanyManufacturing=Công ty sản xuất sản phẩm. DemoCompanyAll=Công ty có nhiều hoạt động (tất cả các mô-đun chính) CreatedBy=Được tạo ra bởi %s ModifiedBy=Được thay đổi bởi %s @@ -190,7 +190,7 @@ NumberOfSupplierProposals=Số lượng đề xuất của nhà cung cấp NumberOfSupplierOrders=Số lượng đơn đặt hàng mua NumberOfSupplierInvoices=Số lượng hóa đơn nhà cung cấp NumberOfContracts=Số lượng hợp đồng -NumberOfMos=Number of manufacturing orders +NumberOfMos=Số đơn sản xuất NumberOfUnitsProposals=Số lượng của đơn vị trong các đề xuất NumberOfUnitsCustomerOrders=Số lượng của đơn vị trong đơn đặt hàng bán NumberOfUnitsCustomerInvoices=Số lượng của đơn vị trên hóa đơn khách hàng @@ -198,7 +198,7 @@ NumberOfUnitsSupplierProposals=Số lượng của đơn vị đề xuất nhà NumberOfUnitsSupplierOrders=Số lượng của đơn vị đặt hàng mua NumberOfUnitsSupplierInvoices=Số lượng đơn vị trên hóa đơn nhà cung cấp NumberOfUnitsContracts=Số lượng đơn vị trên hợp đồng -NumberOfUnitsMos=Number of units to produce in manufacturing orders +NumberOfUnitsMos=Số lượng đơn vị cần sản xuất trong đơn sản xuất EMailTextInterventionAddedContact=Một can thiệp mới %s đã được chỉ định cho bạn. EMailTextInterventionValidated=Sự can thiệp% s đã được xác nhận. EMailTextInvoiceValidated=Hóa đơn %s đã được xác nhận. @@ -274,13 +274,13 @@ WEBSITE_PAGEURL=URL của trang WEBSITE_TITLE=Tiêu đề WEBSITE_DESCRIPTION=Mô tả WEBSITE_IMAGE=Hình ảnh -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png). +WEBSITE_IMAGEDesc=Đường dẫn tương đối của danh mục hình ảnh. Bạn có thể giữ trống này vì điều này hiếm khi được sử dụng (nội dung động có thể được sử dụng để hiển thị hình thu nhỏ trong danh sách các bài đăng trên blog). Sử dụng __WEBSITE_KEY__ trong đường dẫn nếu đường dẫn phụ thuộc vào tên trang web (ví dụ: image / __ WEBSITE_KEY __ / truyện / myimage.png). WEBSITE_KEYWORDS=Từ khóa LinesToImport=Dòng để nhập MemoryUsage=Sử dụng bộ nhớ RequestDuration=Thời hạn yêu cầu -PopuProp=Products/Services by popularity in Proposals -PopuCom=Products/Services by popularity in Orders -ProductStatistics=Products/Services Statistics -NbOfQtyInOrders=Qty in orders +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 diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index 1e367dc6db9..5373ae2f2d1 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Công cụ này cập nhật thuế suất VAT được MassBarcodeInit=Mass barcode init MassBarcodeInitDesc=Trang này có thể được sử dụng để khởi tạo một mã vạch trên các đối tượng mà không có mã vạch xác định. Kiểm tra xem trước đó thiết lập các mô-đun mã vạch hoàn tất chưa. ProductAccountancyBuyCode=Mã tài khoản kế toán (thu mua) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Mã kế toán (mua trong cộng đồng) +ProductAccountancyBuyExportCode=Mã kế toán (nhập hàng) ProductAccountancySellCode=Mã tài khoản kế toán (bán) ProductAccountancySellIntraCode=Mã tài khoản kế toán (bán nội bộ) ProductAccountancySellExportCode=Mã tài khoản kế toán (xuất khẩu) @@ -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=%s Sản phẩm/Dịch vụ được điều chỉnh cuối +LastModifiedProductsAndServices=Latest %s modified products/services 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 @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Ghi chú (không hiển thị trên hóa đơn, đơn hàng ServiceLimitedDuration=Nếu sản phẩm là một dịch vụ có giới hạn thời gian: MultiPricesAbility=Nhiều phân khúc giá cho mỗi sản phẩm/ dịch vụ (mỗi khách hàng một phân khúc giá) MultiPricesNumPrices=Số lượng Giá +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Kích hoạt gói sản phẩm ảo AssociatedProducts=Sản phẩm ảo AssociatedProductsNumber=Số lượng sản phẩm sáng tác sản phẩm ảo này @@ -167,7 +168,7 @@ SuppliersPrices=Giá nhà cung cấp SuppliersPricesOfProductsOrServices=Giá nhà cung cấp (của sản phẩm hoặc dịch vụ) CustomCode=Hải quan / Hàng hóa / HS code CountryOrigin=Nước xuất xứ -Nature=Nature of product (material/finished) +Nature=Loại sản phẩm (nguyên liệu / thành phẩm) ShortLabel=Nhãn ngắn Unit=Đơn vị p=u. @@ -333,9 +334,9 @@ PossibleValues=Các giá trị có thể GoOnMenuToCreateVairants=Vào menu %s - %s để chuẩn bị các biến thể thuộc tính (như màu sắc, kích thước, ...) UseProductFournDesc=Thêm một tính năng để xác định các mô tả sản phẩm được mô tả bởi các nhà cung cấp bên cạnh các mô tả cho khách hàng ProductSupplierDescription=Mô tả sản phẩm của nhà cung cấp -UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents) -PackagingForThisProduct=Packaging -QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging +UseProductSupplierPackaging=Sử dụng đóng gói theo giá của nhà cung cấp (tính toán lại số lượng theo bao bì được đặt theo giá của nhà cung cấp khi thêm / cập nhật dòng trong tài liệu của nhà cung cấp) +PackagingForThisProduct=Đóng gói +QtyRecalculatedWithPackaging=Số lượng của dòng được tính toán lại theo đóng gói của nhà cung cấp #Attributes VariantAttributes=Thuộc tính biến thể @@ -369,7 +370,7 @@ UsePercentageVariations=Sử dụng các biến thể tỷ lệ phần trăm PercentageVariation=Biến thể tỷ lệ phần trăm ErrorDeletingGeneratedProducts=Có lỗi trong khi cố gắng xóa biến thể sản phẩm hiện có NbOfDifferentValues=Số các giá trị khác nhau -NbProducts=Number of products +NbProducts=Số sản phẩm ParentProduct=Sản phẩm cha HideChildProducts=Ẩn biến thể sản phẩm ShowChildProducts=Hiển thị biến thể sản phẩm @@ -382,4 +383,4 @@ ErrorProductCombinationNotFound=Không thấy biến thể sản phẩm ActionAvailableOnVariantProductOnly=Hành động chỉ có hiệu lực trên biến thể sản phẩm ProductsPricePerCustomer=Giá sản phẩm mỗi khách hàng ProductSupplierExtraFields=Thuộc tính bổ sung (Giá Nhà cung cấp) -DeleteLinkedProduct=Delete the child product linked to the combination +DeleteLinkedProduct=Xóa sản phẩm con được liên kết với sự kết hợp diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index ac2d9e2f49c..5a28d6251be 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Nhiệm vụ con TaskHasChild=Nhiệm vụ có nhiệm vụ con NotOwnerOfProject=Không phải chủ dự án cá nhân này AffectedTo=Được phân bổ đến -CantRemoveProject=Dự án này không thể bị xóa bỏ vì nó được tham chiếu đến các đối tượng khác (hóa đơn, đơn hàng hoặc các phần khác). Xem thêm các tham chiếu tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Xác nhận dự án ConfirmValidateProject=Bạn có chắc chắn muốn xác nhận dự án này? CloseAProject=Đóng dự án @@ -265,3 +265,4 @@ NewInvoice=Hóa đơn mới OneLinePerTask=Dòng dòng một công việc OneLinePerPeriod=Một dòng cho một khoảng thời gian RefTaskParent=Tham chiếu công việc cấp cha +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/vi_VN/receptions.lang b/htdocs/langs/vi_VN/receptions.lang index beefd5bab91..6deb00337fe 100644 --- a/htdocs/langs/vi_VN/receptions.lang +++ b/htdocs/langs/vi_VN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Số lượng sản phẩm từ đ ValidateOrderFirstBeforeReception=Trước tiên, bạn phải xác nhận đơn đặt hàng trước khi có thể tiếp nhận. ReceptionsNumberingModules=Mô-đun đánh số cho tiếp nhận ReceptionsReceiptModel=Mẫu tài liệu cho tiếp nhận +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang index 959e3b30c6c..5d2f0facbd9 100644 --- a/htdocs/langs/vi_VN/stocks.lang +++ b/htdocs/langs/vi_VN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Giá trị kho UserWarehouseAutoCreate=Tự động tạo người dùng kho khi tạo người dùng AllowAddLimitStockByWarehouse=Quản lý đồng thời giá trị cho tồn kho tối thiểu và mong muốn trên mỗi cặp (sản phẩm - kho) ngoài giá trị cho tồn kho tối thiểu và mong muốn trên mỗi sản phẩm +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Kho mặc định +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Tồn kho sản phẩm và tồn kho sản phẩm phụ là độc lập QtyDispatched=Số lượng cử QtyDispatchedShort=Số lượng được gửi đi @@ -123,6 +130,7 @@ WarehouseForStockDecrease=Kho% s sẽ được sử dụng cho kho giảm WarehouseForStockIncrease=Kho% s sẽ được sử dụng cho kho tăng ForThisWarehouse=Đối với kho này ReplenishmentStatusDesc=Đây là danh sách tất cả các sản phẩm có tồn kho thấp hơn tồn kho mong muốn (hoặc thấp hơn giá trị cảnh báo nếu hộp kiểm "chỉ cảnh báo" được chọn). Sử dụng hộp kiểm, bạn có thể tạo đơn đặt hàng mua để điền vào phần chênh lệch. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=Đây là danh sách tất cả các đơn đặt hàng mua mở bao gồm các sản phẩm được xác định trước. Chỉ các đơn đặt hàng mở với các sản phẩm được xác định trước, vì vậy các đơn hàng có thể ảnh hưởng đến tồn kho, có thể nhìn thấy ở đây. Replenishments=Replenishments NbOfProductBeforePeriod=Số lượng sản phẩm% s trong kho trước khi thời gian được lựa chọn (<% s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Kiểm kho cho một kho cụ thể InventoryForASpecificProduct=Kiểm kho cho một sản phẩm cụ thể StockIsRequiredToChooseWhichLotToUse=Tồn kho là bắt buộc để chọn lô nào để sử dụng ForceTo=Ép buộc +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/vi_VN/ticket.lang b/htdocs/langs/vi_VN/ticket.lang index 513b55339f7..fef6c82773c 100644 --- a/htdocs/langs/vi_VN/ticket.lang +++ b/htdocs/langs/vi_VN/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=Mô-đun đánh số vé TicketNotifyTiersAtCreation=Thông báo cho bên thứ ba khi tạo TicketGroup=Nhóm TicketsDisableCustomerEmail=Luôn vô hiệu hóa email khi vé được tạo từ giao diện công cộng +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=Vé - nhà +TicketsIndex=Tickets area TicketList=Danh sách vé TicketAssignedToMeInfos=Trang này hiển thị danh sách vé được tạo bởi hoặc gán cho người dùng hiện tại NoTicketsFound=Không tìm thấy vé diff --git a/htdocs/langs/vi_VN/website.lang b/htdocs/langs/vi_VN/website.lang index 7bf4ff832ce..133681cd40f 100644 --- a/htdocs/langs/vi_VN/website.lang +++ b/htdocs/langs/vi_VN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Tệp robot (robot.txt) WEBSITE_HTACCESS=Trang web tệp .htaccess WEBSITE_MANIFEST_JSON=Trang web tệp manifest.json WEBSITE_README=Tập tin README.md +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Nhập vào đây dữ liệu meta hoặc thông tin giấy phép để lưu tệp README.md. nếu bạn phân phối trang web của mình dưới dạng mẫu, tệp sẽ được đưa vào gói mẫu. HtmlHeaderPage=Tiêu đề HTML (chỉ dành riêng cho trang này) PageNameAliasHelp=Tên hoặc bí danh của trang.
Bí danh này cũng được sử dụng để giả mạo SEO URL khi trang web được chạy từ máy chủ ảo của máy chủ Web (như Apacke, Nginx, ...). Sử dụng nút " %s " để chỉnh sửa bí danh này. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Chế độ thực thi 'nội dung động' là %s GlobalCSSorJS=Tệp CSS / JS / Tiêu đề toàn cục của trang web BackToHomePage=Quay lại trang chủ... TranslationLinks=Liên kết dịch -YouTryToAccessToAFileThatIsNotAWebsitePage=Bạn cố gắng truy cập vào một trang không phải là trang web +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=Để thực hành SEO tốt, hãy sử dụng văn bản có từ 5 đến 70 ký tự MainLanguage=Ngôn ngữ chính OtherLanguages=Ngôn ngữ khác @@ -128,3 +129,6 @@ UseManifest=Cung cấp một file manifest.json PublicAuthorAlias=Tên tác giả công khai AvailableLanguagesAreDefinedIntoWebsiteProperties=Các ngôn ngữ hiện hữu để thiết lập vào thuộc tính website ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/vi_VN/withdrawals.lang b/htdocs/langs/vi_VN/withdrawals.lang index fda09c1e210..75c516c6ed2 100644 --- a/htdocs/langs/vi_VN/withdrawals.lang +++ b/htdocs/langs/vi_VN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Khu vực lệnh thanh toán ghi nợ trực tiếp -SuppliersStandingOrdersArea=Khu vực lệnh thanh toán tín dụng trực tiếp +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Lệnh thanh toán ghi nợ trực tiếp StandingOrderPayment=Lệnh thanh toán ghi nợ trực tiếp NewStandingOrder=Lệnh ghi nợ trực tiếp mới +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=Để xử lý +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Lệnh ghi nợ trực tiếp WithdrawalReceipt=Lệnh ghi nợ trực tiếp +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Tệp ghi nợ trực tiếp mới nhất %s +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Dòng lệnh ghi nợ trực tiếp -RequestStandingOrderToTreat=Yêu cầu lệnh thanh toán ghi nợ trực tiếp để xử lý -RequestStandingOrderTreated=Yêu cầu lệnh thanh toán ghi nợ trực tiếp đã xử lý +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Chưa khả thi. Trạng thái rút tiền phải được đặt thành "tín dụng" trước khi khai báo từ chối trên các dòng cụ thể. -NbOfInvoiceToWithdraw=Số lượng hóa đơn đủ điều kiện với lệnh ghi nợ trực tiếp đang chờ +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=Số lượng hóa đơn của khách hàng với các lệnh thanh toán ghi nợ trực tiếp có thông tin tài khoản ngân hàng được xác định +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Hóa đơn chờ ghi nợ trực tiếp +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Số tiền cần rút -WithdrawsRefused=Ghi nợ trực tiếp bị từ chối -NoInvoiceToWithdraw=Không có hóa đơn khách hàng nào đang mở 'Yêu cầu ghi nợ trực tiếp' đang chờ. Chuyển đến tab '%s' trên thẻ hóa đơn để thực hiện yêu cầu. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=Người dùng chịu trách nhiệm WithdrawalsSetup=Thiết lập thanh toán ghi nợ trực tiếp +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Thống kê thanh toán ghi nợ trực tiếp -WithdrawRejectStatistics=Thống kê từ chối thanh toán ghi nợ trực tiếp +CreditTransferStatistics=Credit transfer statistics +Rejects=Từ chối LastWithdrawalReceipt=Biên nhận ghi nợ trực tiếp mới nhất %s MakeWithdrawRequest=Tạo một yêu cầu thanh toán ghi nợ trực tiếp WithdrawRequestsDone=%s yêu cầu thanh toán ghi nợ trực tiếp được ghi lại @@ -34,7 +50,9 @@ TransMetod=Phương thức chuyển Send=Gửi Lines=Dòng StandingOrderReject=Đưa ra lời từ chối +WithdrawsRefused=Ghi nợ trực tiếp bị từ chối WithdrawalRefused=Rút tiền từ chối +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Bạn có chắc chắn muốn nhập vào một sự từ chối rút tiền xã hội RefusedData=Ngày từ chối RefusedReason=Lý do từ chối @@ -58,6 +76,8 @@ StatusMotif8=Lý do khác CreateForSepaFRST=Tạo tệp ghi nợ trực tiếp (SEPA FRST) CreateForSepaRCUR=Tạo tệp ghi nợ trực tiếp (SEPA RCUR) CreateAll=Tạo tệp ghi nợ trực tiếp (tất cả) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Chỉ văn phòng CreateBanque=Chỉ ngân hàng OrderWaiting=Chờ xử lý @@ -67,6 +87,7 @@ NumeroNationalEmetter=Con số chuyển lệnh quốc gia WithBankUsingRIB=Đối với tài khoản ngân hàng sử dụng RIB WithBankUsingBANBIC=Đối với tài khoản ngân hàng sử dụng IBAN / BIC / SWIFT BankToReceiveWithdraw=Tài khoản ngân hàng nhận +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Tín dụng vào WithdrawalFileNotCapable=Không thể tạo file biên lai rút tiền cho quốc gia của bạn %s (Quốc gia của bạn không được hỗ trợ) ShowWithdraw=Hiển thị lệnh ghi nợ trực tiếp @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tuy nhiên, nếu hóa đơn có ít DoStandingOrdersBeforePayments=Tab này cho phép bạn yêu cầu một lệnh thanh toán ghi nợ trực tiếp. Sau khi hoàn tất, hãy vào menu Ngân hàng-> Lệnh ghi nợ trực tiếp để quản lý lệnh thanh toán ghi nợ trực tiếp. Khi lệnh thanh toán được đóng, thanh toán trên hóa đơn sẽ được tự động ghi lại và hóa đơn sẽ đóng nếu phần còn lại để thanh toán là null. WithdrawalFile=Tệp tin rút tiền SetToStatusSent=Đặt thành trạng thái "Đã gửi tệp" -ThisWillAlsoAddPaymentOnInvoice=Điều này cũng sẽ ghi lại các khoản thanh toán cho hóa đơn và sẽ phân loại chúng là "Đã trả tiền" nếu vẫn còn thanh toán là null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Thống kê theo trạng thái của dòng RUM=UMR DateRUM=Ngày ký ủy thác diff --git a/htdocs/langs/zh_CN/accountancy.lang b/htdocs/langs/zh_CN/accountancy.lang index 4cd78fc7e6d..c806a1dfa77 100644 --- a/htdocs/langs/zh_CN/accountancy.lang +++ b/htdocs/langs/zh_CN/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=下一步将在未来节省您将来的时间 AccountancyAreaDescActionFreq=对于非常大的公司,通常每月,每周或每天执行以下操作...... AccountancyAreaDescJournalSetup=步骤%s:从菜单%s创建或检查日常报表的内容 -AccountancyAreaDescChartModel=步骤%s:从菜单%s创建一个会计科目表模型 -AccountancyAreaDescChart=步骤%s:从菜单%s创建或检查您的会计科目表内容 +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=步骤%s:为每个税率定义会计科目,使用菜单%s。 AccountancyAreaDescDefault=步骤%s:定义默认会计科目,使用菜单%s。 diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index abb3d411bfc..a50655602c7 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -95,7 +95,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=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=注:您的 PHP 配置参数中没有设置限制 MaxSizeForUploadedFiles=上传文件的最大尺寸(0表示不允许上传) UseCaptchaCode=登陆页面启用图形验证码 @@ -207,7 +207,7 @@ ModulesMarketPlaces=更多模块... ModulesDevelopYourModule=开发自己的模块 ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=新建 +NewModule=New module FreeModule=空余 CompatibleUpTo=与版本%s兼容 NotCompatible=此模块似乎与您的Dolibarr %s(Min %s - Max %s)不兼容。 @@ -219,7 +219,7 @@ Nouveauté=新颖 AchatTelechargement=购买/下载 GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore,为 Dolibarr 的 ERP/CRM 的外部模块官方市场 -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=参考网址查找更多模块... DevelopYourModuleDesc=一些开发自己模块的解决方案...... URL=网址 @@ -446,12 +446,13 @@ LinkToTestClickToDial=输入一个电话号码来为用户显示网络电话网 RefreshPhoneLink=刷新链接 LinkToTest=为用户生成的可访问链接%s (单击电话号码来测试) KeepEmptyToUseDefault=不填表示使用默认值 +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=默认链接 SetAsDefault=设为默认 ValueOverwrittenByUserSetup=警告,此设置可能被用户设置所覆盖(用户可以设置各自的网络电话链接) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=产品或服务条码批量初始化或重置 CurrentlyNWithoutBarCode=目前,您在 %s %s上没有定义条形码时有 %s 记录。 InitEmptyBarCode=初始值为下一个%s空记录 @@ -541,8 +542,8 @@ Module54Name=联系人/订阅 Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=条码 Module55Desc=条码管理 -Module56Name=电话 -Module56Desc=电话整合 +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=网络电话 @@ -1145,6 +1146,7 @@ AvailableModules=可用模块 ToActivateModule=要启用模块,请到“设定”区 (“首页”->“设定”->“模块”)。 SessionTimeOut=会话超时 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. TriggersAvailable=可用的触发器 TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=文件中的触发器代码可以通过文件名中的 -NoRun 前缀禁用。 @@ -1262,6 +1264,7 @@ FieldEdition=%s 字段的编辑 FillThisOnlyIfRequired=例如:+2 (请只在时区错误问题出现时填写) GetBarCode=获取条码 NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=返回一个根据 Dolibarr 内部算法生成的密码:8个字符,包含小写数字和字母。 PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=合作方 MailToMember=会员 MailToUser=用户 MailToProject=项目页面 +MailToTicket=票据 ByDefaultInList=默认显示列表视图 YouUseLastStableVersion=您使用最新的稳定版本 TitleExampleForMajorRelease=您可以用来宣布此主要版本的消息示例(可以在您的网站上使用它) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/zh_CN/agenda.lang b/htdocs/langs/zh_CN/agenda.lang index 601a48372e7..a3abd63494b 100644 --- a/htdocs/langs/zh_CN/agenda.lang +++ b/htdocs/langs/zh_CN/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=报价已删除 OrderDeleted=订单已删除 InvoiceDeleted=发票已删除 +DraftInvoiceDeleted=Draft invoice deleted PRODUCT_CREATEInDolibarr=产品%s已创建 PRODUCT_MODIFYInDolibarr=产品%s改装 PRODUCT_DELETEInDolibarr=产品%s已删除 HOLIDAY_CREATEInDolibarr=Request for leave %s created HOLIDAY_MODIFYInDolibarr=Request for leave %s modified HOLIDAY_APPROVEInDolibarr=Request for leave %s approved -HOLIDAY_VALIDATEDInDolibarr=Request for leave %s validated +HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated HOLIDAY_DELETEInDolibarr=Request for leave %s deleted EXPENSE_REPORT_CREATEInDolibarr=费用报告%s已创建 EXPENSE_REPORT_VALIDATEInDolibarr=费用报告%s经过验证 @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=事件的文档模板 DateActionStart=开始日期 @@ -151,3 +154,6 @@ EveryMonth=每月 DayOfMonth=每月天数 DayOfWeek=每周天数 DateStartPlusOne=日期开始+ 1 小时 +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang index dddaa9fd2f3..e5cf9884918 100644 --- a/htdocs/langs/zh_CN/banks.lang +++ b/htdocs/langs/zh_CN/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC / SWIFT有效 SwiftVNotalid=BIC / SWIFT无效 IbanValid=BAN有效 IbanNotValid=BAN无效 -StandingOrders=直接借记订单 +StandingOrders=提款收据 StandingOrder=直接借记订单 +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=户口结单 AccountStatementShort=声明 AccountStatements=户口结单 diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index 2e40a958f6f..d878ca25128 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=折扣额 (付款条件前付款) EscompteOfferedShort=折扣 SendBillRef=发票 %s 的提交 SendReminderBillRef=发票 %s 的提交 (提醒) -StandingOrders=直接借记订单 -StandingOrder=直接借记订单 NoDraftBills=没有发票草稿 NoOtherDraftBills=没有其他发票草稿 NoDraftInvoices=没有发票草稿 @@ -572,3 +570,6 @@ AutoFillDateToShort=设置结束日期 MaxNumberOfGenerationReached=最大数量。到达 BILL_DELETEInDolibarr=发票已删除 BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/zh_CN/cashdesk.lang b/htdocs/langs/zh_CN/cashdesk.lang index 92be0b9ad8a..2fd60d406e8 100644 --- a/htdocs/langs/zh_CN/cashdesk.lang +++ b/htdocs/langs/zh_CN/cashdesk.lang @@ -95,7 +95,7 @@ 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 payment icon on numpad -CashDeskRefNumberingModules=Numbering module for cash desk +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 @@ -106,3 +106,7 @@ MainPrinterToUse=Main printer to use OrderPrinterToUse=Order printer to use MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use +BarRestaurant=Bar Restaurant +AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/zh_CN/categories.lang b/htdocs/langs/zh_CN/categories.lang index 457f385a28e..5015ed42455 100644 --- a/htdocs/langs/zh_CN/categories.lang +++ b/htdocs/langs/zh_CN/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=账户标签/分类 ProjectsCategoriesShort=项目标签/分类 UsersCategoriesShort=Users tags/categories StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoProduct=本分类不包含任何产品。 -ThisCategoryHasNoSupplier=This category does not contain any vendor. -ThisCategoryHasNoCustomer=本分类不包含任何客户。 -ThisCategoryHasNoMember=本分类不包含任何成员。 -ThisCategoryHasNoContact=本分类不包含任何联系人。 -ThisCategoryHasNoAccount=此分类未包含任何账号。 -ThisCategoryHasNoProject=此分类未包含任何项目。 +ThisCategoryHasNoItems=This category does not contain any items. CategId=标签/分类id号码 CatSupList=List of vendor tags/categories CatCusList=客户/准客户标签/分类列表 @@ -92,4 +86,5 @@ ByDefaultInList=按默认列表 ChooseCategory=选择类别 StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/zh_CN/companies.lang b/htdocs/langs/zh_CN/companies.lang index 3491674f194..4dc4159c7a0 100644 --- a/htdocs/langs/zh_CN/companies.lang +++ b/htdocs/langs/zh_CN/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=准客户区 IdThirdParty=合伙人ID号 IdCompany=公司ID IdContact=联络人ID -Contacts=联络人/地址 ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=公司 @@ -298,7 +297,8 @@ AddContact=创建联系人 AddContactAddress=创建联系人/地址 EditContact=编辑联系人/地址 EditContactAddress=编辑联系人/地址 -Contact=联系人 +Contact=Contact/Address +Contacts=联络人/地址 ContactId=联系人id ContactsAddresses=联系方式/地址 FromContactName=名称: @@ -325,7 +325,8 @@ CompanyDeleted=公司“%的”从数据库中删除。 ListOfContacts=联系人列表 ListOfContactsAddresses=联系人列表 ListOfThirdParties=List of Third Parties -ShowContact=显示联系人 +ShowCompany=Third Party +ShowContact=Contact-Address ContactsAllShort=全部 (不筛选) ContactType=联系人类型 ContactForOrders=订单的联系人 @@ -424,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=打开 ActivityCeased=禁用 diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang index ba3f2328466..a74313b6f32 100644 --- a/htdocs/langs/zh_CN/errors.lang +++ b/htdocs/langs/zh_CN/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=警告,行日期不在费用报表范围内 WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/zh_CN/hrm.lang b/htdocs/langs/zh_CN/hrm.lang index 04d6ab39ea4..feb3ddf3eb8 100644 --- a/htdocs/langs/zh_CN/hrm.lang +++ b/htdocs/langs/zh_CN/hrm.lang @@ -1,16 +1,17 @@ # Dolibarr language file - en_US - hrm # Admin -HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service +HRM_EMAIL_EXTERNAL_SERVICE=电子邮件以防止HRM外部服务 Establishments=机构 Establishment=机构 NewEstablishment=新建机构 DeleteEstablishment=删除机构 -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=打开机构 CloseEtablishment=关闭机构 # Dictionary +DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - 部门列表 -DictionaryFunction=HRM - 职能列表 +DictionaryFunction=HRM - Job positions # Module Employees=雇员 Employee=雇员 diff --git a/htdocs/langs/zh_CN/install.lang b/htdocs/langs/zh_CN/install.lang index 49e1a98b5d8..4ed9d1f9e42 100644 --- a/htdocs/langs/zh_CN/install.lang +++ b/htdocs/langs/zh_CN/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=点击此处转到您的申请 -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang index 7fd64d81418..e04cd1732ec 100644 --- a/htdocs/langs/zh_CN/main.lang +++ b/htdocs/langs/zh_CN/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=此电子邮件类型没有可用的模板 AvailableVariables=可用的替代变量 NoTranslation=没有翻译 Translation=翻译 -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=空空如也——没有找到记录 NoRecordDeleted=未删除记录 NotEnoughDataYet=数据不足 @@ -187,6 +187,8 @@ ShowCardHere=显示卡片 Search=搜索 SearchOf=搜索 SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=有效 Approve=批准 Disapprove=不同意 @@ -426,6 +428,7 @@ Modules=模块/应用 Option=选项 List=列表 FullList=全部列表 +FullConversation=Full conversation Statistics=统计 OtherStatistics=其他统计 Status=状态 @@ -663,6 +666,7 @@ Owner=拥有者 FollowingConstantsWillBeSubstituted=以下常量将与相应的值代替。 Refresh=刷新 BackToList=返回列表 +BackToTree=Back to tree GoBack=回去 CanBeModifiedIfOk=经批准可修改 CanBeModifiedIfKo=不经批准也可修改 @@ -839,6 +843,7 @@ Sincerely=诚恳地 ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=删除行 ConfirmDeleteLine=您确定要删除此行吗? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=在已检查记录中没有PDF可用于生成文档 TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=未选定记录 @@ -953,12 +958,13 @@ SearchIntoMembers=会员 SearchIntoUsers=用户 SearchIntoProductsOrServices=产品或服务 SearchIntoProjects=项目 +SearchIntoMO=Manufacturing Orders SearchIntoTasks=任务 SearchIntoCustomerInvoices=客户发票 SearchIntoSupplierInvoices=供应商发票 SearchIntoCustomerOrders=Sales orders SearchIntoSupplierOrders=订单 -SearchIntoCustomerProposals=客户报价 +SearchIntoCustomerProposals=报价单 SearchIntoSupplierProposals=供应商提案 SearchIntoInterventions=干预 SearchIntoContracts=合同 @@ -1028,3 +1034,8 @@ YAxis=Y-Axis StatusOfRefMustBe=Status of %s must be %s DeleteFileHeader=Confirm file delete DeleteFileText=Do you really want delete this file? +ShowOtherLanguages=Show other languages +SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language +NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/zh_CN/modulebuilder.lang b/htdocs/langs/zh_CN/modulebuilder.lang index 3b202541f01..5c6573c3299 100644 --- a/htdocs/langs/zh_CN/modulebuilder.lang +++ b/htdocs/langs/zh_CN/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=危险区 BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=构建文档 -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=详细描述 EditorName=编辑器名字 @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/zh_CN/mrp.lang b/htdocs/langs/zh_CN/mrp.lang index bf610492f15..ab5f6d81fad 100644 --- a/htdocs/langs/zh_CN/mrp.lang +++ b/htdocs/langs/zh_CN/mrp.lang @@ -56,11 +56,12 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%) ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 +ForAQuantityOf=For a quantity to produce of %s ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. ProductionForRef=Production of %s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=Product quentity still to produce by open MO AddNewConsumeLines=Add new line to consume ProductsToConsume=Products to consume ProductsToProduce=Products to produce +UnitCost=Unit cost +TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index c966cf74cde..4b416b2e696 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -85,8 +85,8 @@ MaxSize=最大尺寸 AttachANewFile=添加一个新附件 LinkedObject=链接对象 NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(你好)__\n这是发送到__EMAIL__的测试邮件。\n这两条线由回车分隔。\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(你好)__\n这是测试邮件(单词test必须以粗体显示)。
这两行用回车符分隔。

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(你好)__\n\n\n__(此致)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index 54bafe71412..7c4ca236f10 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=服务(仅销售) ServicesOnPurchaseOnly=服务(仅采购) ServicesNotOnSell=服务(非出售也非采购) ServicesOnSellAndOnBuy=可销售的服务与可采购的服务 -LastModifiedProductsAndServices=最近更新的 %s 项产品/服务 +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=最近登记的 %s 产品 LastRecordedServices=最后 %s 已记录服务 CardProduct0=产品 @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=备注 (账单、报价...中不可见) ServiceLimitedDuration=如果产品是有限期的服务: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=价格个数 +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=组成此虚拟产品的产品数量 diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index 004d16e024c..da9c8a5a9b1 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=子项目/任务 TaskHasChild=任务有子内容 NotOwnerOfProject=不是所有者的私人项目 AffectedTo=分配给 -CantRemoveProject=这个项目不能删除,因为它是由一些(其他对象引用的发票,订单或其他)。见参照资料标签。 +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=验证谟 ConfirmValidateProject=您确定要验证此项目吗? CloseAProject=关闭项目 @@ -265,3 +265,4 @@ NewInvoice=新建发票 OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/zh_CN/receptions.lang b/htdocs/langs/zh_CN/receptions.lang index 8cc710392c9..f4729171019 100644 --- a/htdocs/langs/zh_CN/receptions.lang +++ b/htdocs/langs/zh_CN/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang index 5af65215710..e4ee37a049c 100644 --- a/htdocs/langs/zh_CN/stocks.lang +++ b/htdocs/langs/zh_CN/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=的WAP EnhancedValueOfWarehouses=仓库价值 UserWarehouseAutoCreate=创建用户时自动创建用户仓库 AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=派出数量 QtyDispatchedShort=派送数量 @@ -123,6 +130,7 @@ WarehouseForStockDecrease=仓库 %s 将用于库存减少 WarehouseForStockIncrease=仓库 %s 将用于库存增加 ForThisWarehouse=这个仓库 ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=补充资金 NbOfProductBeforePeriod=产品数量%s选定期前库存(<%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/zh_CN/ticket.lang b/htdocs/langs/zh_CN/ticket.lang index 4fb76c89f82..dd8e9fb79d4 100644 --- a/htdocs/langs/zh_CN/ticket.lang +++ b/htdocs/langs/zh_CN/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=票据编号模块 TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=组 TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=票据 - 首页 +TicketsIndex=Tickets area TicketList=票据清单 TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user NoTicketsFound=没有找到票据 diff --git a/htdocs/langs/zh_CN/website.lang b/htdocs/langs/zh_CN/website.lang index b62d4664b83..ad936271f96 100644 --- a/htdocs/langs/zh_CN/website.lang +++ b/htdocs/langs/zh_CN/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=机器人文件(robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML标头(仅限此页面) PageNameAliasHelp=页面的名称或别名。
当从Web服务器的虚拟主机(如Apacke,Nginx,...)运行网站时,此别名也用于伪造SEO URL。使用“ %s ”按钮编辑此别名。 @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS 源 +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/zh_CN/withdrawals.lang b/htdocs/langs/zh_CN/withdrawals.lang index 1ccec37cfe1..ad006118d7c 100644 --- a/htdocs/langs/zh_CN/withdrawals.lang +++ b/htdocs/langs/zh_CN/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=长期订单区域 -SuppliersStandingOrdersArea=直接信用支付订单区域 +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=长期订单 StandingOrderPayment=长期订单 NewStandingOrder=新建长期订单 +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=要处理 +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=提款收据 WithdrawalReceipt=提款收据 +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=最后 %s 取款收据 +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=直接借记订单行 -RequestStandingOrderToTreat=要求直接付款处理订单 -RequestStandingOrderTreated=请求处理直接付款订单 +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=这不可能。在声明拒绝特定明细行之前撤回状态必须设置为 'credited' 。 -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=发票等待直接付款 +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=收回的款额 -WithdrawsRefused=直接付款被拒绝 -NoInvoiceToWithdraw=没有打开“直接付款请求”的客户发票正在等待。继续在发票卡上的“%s”标签上提出申请。 +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=提款设置 +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=直接付款统计 -WithdrawRejectStatistics=直接付款拒绝统计 +CreditTransferStatistics=Credit transfer statistics +Rejects=拒绝 LastWithdrawalReceipt=最新的%s直接借记收据 MakeWithdrawRequest=直接付款请求 WithdrawRequestsDone=%s记录了直接付款请求 @@ -34,7 +50,9 @@ TransMetod=传输的方法 Send=发送 Lines=线路 StandingOrderReject=发出拒绝 +WithdrawsRefused=直接付款被拒绝 WithdrawalRefused=提款已被拒绝 +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=你确定要输入一个社会拒绝撤出 RefusedData=日期拒收 RefusedReason=拒绝的原因 @@ -58,6 +76,8 @@ StatusMotif8=其他原因 CreateForSepaFRST=创建直接借记文件(SEPA FRST) CreateForSepaRCUR=创建直接借记文件(SEPA RCUR) CreateAll=创建直接借记文件(全部) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=只有办公室 CreateBanque=只有银行 OrderWaiting=等待治疗 @@ -67,6 +87,7 @@ NumeroNationalEmetter=国家发射数 WithBankUsingRIB=有关银行账户,使用肋 WithBankUsingBANBIC=使用的IBAN / BIC / SWIFT的银行帐户 BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=信贷 WithdrawalFileNotCapable=无法为您所在的国家/地区生成提款收据文件%s(不支持您所在的国家/地区) ShowWithdraw=Show Direct Debit Order @@ -74,9 +95,9 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=此选项卡允许您申请直接付款订单。完成后,进入菜单Bank-> Direct Debit订单以管理直接付款订单。当付款单关闭时,将自动记录发票上的付款,如果要支付的剩余部分为空,则发票将关闭。 WithdrawalFile=撤回文件 SetToStatusSent=设置状态“发送的文件” -ThisWillAlsoAddPaymentOnInvoice=这还将记录付款到发票,并将其分类为“付费”,如果仍然支付是空的 +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=按状态明细统计 -RUM=Unique Mandate Reference (UMR) +RUM=UMR DateRUM=Mandate signature date RUMLong=唯一授权参考 RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. diff --git a/htdocs/langs/zh_HK/accountancy.lang b/htdocs/langs/zh_HK/accountancy.lang index b8ce37a0956..be6ca9e2f19 100644 --- a/htdocs/langs/zh_HK/accountancy.lang +++ b/htdocs/langs/zh_HK/accountancy.lang @@ -58,8 +58,8 @@ AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in f AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescChartModel=STEP %s: Check that a model of chart of account exists or create one from menu %s +AccountancyAreaDescChart=STEP %s: Select and|or complete your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. diff --git a/htdocs/langs/zh_HK/admin.lang b/htdocs/langs/zh_HK/admin.lang index 7eb67d7a4ab..f9d645519ae 100644 --- a/htdocs/langs/zh_HK/admin.lang +++ b/htdocs/langs/zh_HK/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=Next value (invoices) NextValueForCreditNotes=Next value (credit notes) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page @@ -207,7 +207,7 @@ ModulesMarketPlaces=Find external app/modules ModulesDevelopYourModule=Develop your own app/modules ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... -NewModule=New +NewModule=New module FreeModule=Free CompatibleUpTo=Compatible with version %s NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s). @@ -219,7 +219,7 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=URL @@ -446,12 +446,13 @@ LinkToTestClickToDial=Enter a phone number to call to show a link to test the Cl RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) KeepEmptyToUseDefault=Keep empty to use default value +KeepThisEmptyInMostCases=In most cases, you can keep this field empy. DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module InstalledInto=Installed into directory %s -BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForThirdparties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -541,8 +542,8 @@ Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management -Module56Name=Telephony -Module56Desc=Telephony integration +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=Bank Direct Debit payments Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial @@ -1145,6 +1146,7 @@ AvailableModules=Available app/modules ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session 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. TriggersAvailable=Available triggers TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. @@ -1262,6 +1264,7 @@ FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode NumberingModules=Numbering models +DocumentModules=Document models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1844,6 +1847,7 @@ MailToThirdparty=Third parties MailToMember=Members MailToUser=Users MailToProject=Projects page +MailToTicket=Tickets ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites) @@ -1996,6 +2000,7 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard JumpToBoxes=Jump to Setup -> Widgets MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/zh_HK/agenda.lang b/htdocs/langs/zh_HK/agenda.lang index 2031241d2c9..4083fd49a19 100644 --- a/htdocs/langs/zh_HK/agenda.lang +++ b/htdocs/langs/zh_HK/agenda.lang @@ -112,8 +112,10 @@ BOM_CLOSEInDolibarr=BOM disabled BOM_REOPENInDolibarr=BOM reopen BOM_DELETEInDolibarr=BOM deleted MRP_MO_VALIDATEInDolibarr=MO validated +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO produced MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=Document templates for event DateActionStart=Start date @@ -152,3 +154,6 @@ EveryMonth=Every month DayOfMonth=Day of month DayOfWeek=Day of week DateStartPlusOne=Date start + 1 hour +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/zh_HK/banks.lang b/htdocs/langs/zh_HK/banks.lang index e54239e9fb2..17ebc2ff7ed 100644 --- a/htdocs/langs/zh_HK/banks.lang +++ b/htdocs/langs/zh_HK/banks.lang @@ -35,8 +35,10 @@ SwiftValid=BIC/SWIFT valid SwiftVNotalid=BIC/SWIFT not valid IbanValid=BAN valid IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders +StandingOrders=Direct debit orders StandingOrder=Direct debit order +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=Account statement AccountStatementShort=Statement AccountStatements=Account statements diff --git a/htdocs/langs/zh_HK/bills.lang b/htdocs/langs/zh_HK/bills.lang index 9f11d8ecf87..740248026b0 100644 --- a/htdocs/langs/zh_HK/bills.lang +++ b/htdocs/langs/zh_HK/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=Discount offered (payment before term) EscompteOfferedShort=Discount SendBillRef=Submission of invoice %s SendReminderBillRef=Submission of invoice %s (reminder) -StandingOrders=Direct debit orders -StandingOrder=Direct debit order NoDraftBills=No draft invoices NoOtherDraftBills=No other draft invoices NoDraftInvoices=No draft invoices @@ -572,3 +570,6 @@ AutoFillDateToShort=Set end date MaxNumberOfGenerationReached=Max number of gen. reached BILL_DELETEInDolibarr=Invoice deleted BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted +UnitPriceXQtyLessDiscount=Unit price x Qty - Discount +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/zh_HK/cashdesk.lang b/htdocs/langs/zh_HK/cashdesk.lang index 0903a3d10bc..8c783377320 100644 --- a/htdocs/langs/zh_HK/cashdesk.lang +++ b/htdocs/langs/zh_HK/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Customer auto order +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/zh_HK/categories.lang b/htdocs/langs/zh_HK/categories.lang index 30bace0574c..9bb71984ecf 100644 --- a/htdocs/langs/zh_HK/categories.lang +++ b/htdocs/langs/zh_HK/categories.lang @@ -86,4 +86,5 @@ ByDefaultInList=By default in list ChooseCategory=Choose category StocksCategoriesArea=Warehouses Categories Area ActionCommCategoriesArea=Events Categories Area +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/zh_HK/companies.lang b/htdocs/langs/zh_HK/companies.lang index 0fad58c9389..92674363ced 100644 --- a/htdocs/langs/zh_HK/companies.lang +++ b/htdocs/langs/zh_HK/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=Prospection area IdThirdParty=Id third party IdCompany=Company Id IdContact=Contact Id -Contacts=Contacts/Addresses ThirdPartyContacts=Third-party contacts ThirdPartyContact=Third-party contact/address Company=Company @@ -298,7 +297,8 @@ AddContact=Create contact AddContactAddress=Create contact/address EditContact=Edit contact EditContactAddress=Edit contact/address -Contact=Contact +Contact=Contact/Address +Contacts=Contacts/Addresses ContactId=Contact id ContactsAddresses=Contacts/Addresses FromContactName=Name: @@ -425,7 +425,7 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Last %s modified Third Parties +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=Total of Third Parties InActivity=Open ActivityCeased=Closed diff --git a/htdocs/langs/zh_HK/errors.lang b/htdocs/langs/zh_HK/errors.lang index 7c67aeca8b5..ec1b08ddcdb 100644 --- a/htdocs/langs/zh_HK/errors.lang +++ b/htdocs/langs/zh_HK/errors.lang @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different re WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/zh_HK/hrm.lang b/htdocs/langs/zh_HK/hrm.lang index 3697c47e30d..6cc7f6bef24 100644 --- a/htdocs/langs/zh_HK/hrm.lang +++ b/htdocs/langs/zh_HK/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=Close establishment # Dictionary DictionaryPublicHolidays=HRM - Public holidays DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryFunction=HRM - Job positions # Module Employees=Employees Employee=Employee diff --git a/htdocs/langs/zh_HK/install.lang b/htdocs/langs/zh_HK/install.lang index f67dff57184..2d708c04147 100644 --- a/htdocs/langs/zh_HK/install.lang +++ b/htdocs/langs/zh_HK/install.lang @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=Error(s) were reported during the migration process so YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
ClickHereToGoToApp=Click here to go to your application -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. Loaded=Loaded FunctionTest=Function test diff --git a/htdocs/langs/zh_HK/main.lang b/htdocs/langs/zh_HK/main.lang index 824a5e495b8..adbc443198f 100644 --- a/htdocs/langs/zh_HK/main.lang +++ b/htdocs/langs/zh_HK/main.lang @@ -28,7 +28,7 @@ NoTemplateDefined=No template available for this email type AvailableVariables=Available substitution variables NoTranslation=No translation Translation=Translation -EmptySearchString=Enter a non empty search string +EmptySearchString=Enter non empty search criterias NoRecordFound=No record found NoRecordDeleted=No record deleted NotEnoughDataYet=Not enough data @@ -187,6 +187,8 @@ ShowCardHere=Show card Search=Search SearchOf=Search SearchMenuShortCut=Ctrl + shift + f +QuickAdd=Quick add +QuickAddMenuShortCut=Ctrl + shift + l Valid=Valid Approve=Approve Disapprove=Disapprove @@ -664,6 +666,7 @@ Owner=Owner FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. Refresh=Refresh BackToList=Back to list +BackToTree=Back to tree GoBack=Go back CanBeModifiedIfOk=Can be modified if valid CanBeModifiedIfKo=Can be modified if not valid @@ -840,6 +843,7 @@ Sincerely=Sincerely ConfirmDeleteObject=Are you sure you want to delete this object? DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? +ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator. NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected @@ -1033,3 +1037,5 @@ DeleteFileText=Do you really want delete this file? ShowOtherLanguages=Show other languages SwitchInEditModeToAddTranslation=Switch in edit mode to add translations for this language NotUsedForThisCustomer=Not used for this customer +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/zh_HK/modulebuilder.lang b/htdocs/langs/zh_HK/modulebuilder.lang index 135ac1ae9ec..460aef8103b 100644 --- a/htdocs/langs/zh_HK/modulebuilder.lang +++ b/htdocs/langs/zh_HK/modulebuilder.lang @@ -27,7 +27,7 @@ DangerZone=Danger zone BuildPackage=Build package BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=Build documentation -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description EditorName=Name of editor @@ -139,3 +139,4 @@ ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=Ascii to HTML converter AsciiToPdfConverter=Ascii to PDF converter +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/zh_HK/mrp.lang b/htdocs/langs/zh_HK/mrp.lang index d3c4d3253c6..ab5f6d81fad 100644 --- a/htdocs/langs/zh_HK/mrp.lang +++ b/htdocs/langs/zh_HK/mrp.lang @@ -74,3 +74,4 @@ ProductsToConsume=Products to consume ProductsToProduce=Products to produce UnitCost=Unit cost TotalCost=Total cost +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/zh_HK/other.lang b/htdocs/langs/zh_HK/other.lang index ba85f51e739..5dc70fa068f 100644 --- a/htdocs/langs/zh_HK/other.lang +++ b/htdocs/langs/zh_HK/other.lang @@ -85,8 +85,8 @@ MaxSize=Maximum size AttachANewFile=Attach a new file/document LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/zh_HK/products.lang b/htdocs/langs/zh_HK/products.lang index a31243a07b6..a1bbc45f970 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=Last %s modified products/services +LastModifiedProductsAndServices=Latest %s modified products/services LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) MultiPricesNumPrices=Number of prices +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual products AssociatedProductsNumber=Number of products composing this virtual product diff --git a/htdocs/langs/zh_HK/projects.lang b/htdocs/langs/zh_HK/projects.lang index bb42bff3c87..7f982601bed 100644 --- a/htdocs/langs/zh_HK/projects.lang +++ b/htdocs/langs/zh_HK/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=Child of task TaskHasChild=Task has child NotOwnerOfProject=Not owner of this private project AffectedTo=Allocated to -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See referers tab. +CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. ValidateProject=Validate projet ConfirmValidateProject=Are you sure you want to validate this project? CloseAProject=Close project @@ -265,3 +265,4 @@ NewInvoice=New invoice OneLinePerTask=One line per task OneLinePerPeriod=One line per period RefTaskParent=Ref. Parent Task +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/zh_HK/receptions.lang b/htdocs/langs/zh_HK/receptions.lang index 010a7521846..760ff884fa0 100644 --- a/htdocs/langs/zh_HK/receptions.lang +++ b/htdocs/langs/zh_HK/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplie ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions. ReceptionsNumberingModules=Numbering module for receptions ReceptionsReceiptModel=Document templates for receptions +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/zh_HK/stocks.lang b/htdocs/langs/zh_HK/stocks.lang index 9856649b834..a791f2d671d 100644 --- a/htdocs/langs/zh_HK/stocks.lang +++ b/htdocs/langs/zh_HK/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=Default warehouse +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched @@ -123,6 +130,7 @@ WarehouseForStockDecrease=The warehouse %s will be used for stock decreas WarehouseForStockIncrease=The warehouse %s will be used for stock increase ForThisWarehouse=For this warehouse ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. Replenishments=Replenishments NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=Inventory for a specific warehouse InventoryForASpecificProduct=Inventory for a specific product StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use ForceTo=Force to +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/zh_HK/ticket.lang b/htdocs/langs/zh_HK/ticket.lang index 80518c3401a..a9cff9391d0 100644 --- a/htdocs/langs/zh_HK/ticket.lang +++ b/htdocs/langs/zh_HK/ticket.lang @@ -130,6 +130,10 @@ TicketNumberingModules=Tickets numbering module TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Group TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # diff --git a/htdocs/langs/zh_HK/website.lang b/htdocs/langs/zh_HK/website.lang index bce2a09fb03..28650cbc24b 100644 --- a/htdocs/langs/zh_HK/website.lang +++ b/htdocs/langs/zh_HK/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Website .htaccess file WEBSITE_MANIFEST_JSON=Website manifest.json file WEBSITE_README=README.md file +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. @@ -120,7 +121,7 @@ ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s GlobalCSSorJS=Global CSS/JS/Header file of web site BackToHomePage=Back to home page... TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters MainLanguage=Main language OtherLanguages=Other languages @@ -128,3 +129,6 @@ UseManifest=Provide a manifest.json file PublicAuthorAlias=Public author alias AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties ReplacementDoneInXPages=Replacement done in %s pages or containers +RSSFeed=RSS Feed +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/zh_HK/withdrawals.lang b/htdocs/langs/zh_HK/withdrawals.lang index b1d6e30e329..853b5e54b3e 100644 --- a/htdocs/langs/zh_HK/withdrawals.lang +++ b/htdocs/langs/zh_HK/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=Direct debit payment orders StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=To process +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=Direct debit orders WithdrawalReceipt=Direct debit order +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=Direct debit order lines -RequestStandingOrderToTreat=Request for direct debit payment order to process -RequestStandingOrderTreated=Request for direct debit payment order processed +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=Invoice waiting for direct debit +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=Amount to withdraw -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=User Responsible WithdrawalsSetup=Direct debit payment setup +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics +CreditTransferStatistics=Credit transfer statistics +Rejects=Rejects LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded @@ -34,7 +50,9 @@ TransMetod=Transmission method Send=Send Lines=Lines StandingOrderReject=Issue a rejection +WithdrawsRefused=Direct debit refused WithdrawalRefused=Withdrawal refused +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society RefusedData=Date of rejection RefusedReason=Reason for rejection @@ -58,6 +76,8 @@ StatusMotif8=Other reason CreateForSepaFRST=Create direct debit file (SEPA FRST) CreateForSepaRCUR=Create direct debit file (SEPA RCUR) CreateAll=Create direct debit file (all) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=Only office CreateBanque=Only bank OrderWaiting=Waiting for treatment @@ -67,6 +87,7 @@ NumeroNationalEmetter=National Transmitter Number WithBankUsingRIB=For bank accounts using RIB WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT BankToReceiveWithdraw=Receiving Bank Account +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=Credit on WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Show Direct Debit Order @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. WithdrawalFile=Withdrawal file SetToStatusSent=Set to status "File Sent" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=Statistics by status of lines RUM=UMR DateRUM=Mandate signature date diff --git a/htdocs/langs/zh_TW/accountancy.lang b/htdocs/langs/zh_TW/accountancy.lang index e328934eda3..0a695563266 100644 --- a/htdocs/langs/zh_TW/accountancy.lang +++ b/htdocs/langs/zh_TW/accountancy.lang @@ -58,7 +58,7 @@ AccountancyAreaDescActionOnceBis=下一步驟可在未來節省您的時間當 AccountancyAreaDescActionFreq=接下來的動作在大型公司一般是每個月、每週或每天執行… AccountancyAreaDescJournalSetup=步驟%s: 從選單%s您的日記帳清單中建立或檢查內容  -AccountancyAreaDescChartModel=步驟%s:從選單%s建立一個會計科目表模組 +AccountancyAreaDescChartModel=步驟%s: 確認會計項目表模組是否存在,或者從%s選單建立新的。 AccountancyAreaDescChart=步驟%s: 從選單中建立或檢查會計項目表的內容%s。 AccountancyAreaDescVat=步驟%s:為每個營業稅稅率定義會計科目。為此,請使用選單條目%s。 diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index 5933ccb0a9e..90e6887c903 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -95,7 +95,7 @@ NextValueForInvoices=下一個值(發票) NextValueForCreditNotes=下一個值(信用票據) NextValueForDeposit=下一個值 (預付款) NextValueForReplacements=下一個值(代替) -MustBeLowerThanPHPLimit=注意: 您的 PHP設定目前限制了上傳到%s%s的最大檔案大小,無論此參數的值如何 +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter NoMaxSizeByPHPLimit=註:你的 PHP 偏好設定為無限制 MaxSizeForUploadedFiles=上傳檔案最大值(0 為禁止上傳) UseCaptchaCode=在登入頁中的使用圖形碼 (CAPTCHA) @@ -219,7 +219,7 @@ Nouveauté=新奇 AchatTelechargement=購買 / 下載 GoModuleSetupArea=要部署/安裝新模組,請前往模組設定區域: %s 。 DoliStoreDesc=DoliStore 是 Dolibarr ERP / CRM 外部模組的官方市集 -DoliPartnersDesc=提供訂製開發的模組或功能的公司清單。
注意:由於Dolibarr是一個開源應用程式,因此任何有PHP編寫經驗的人都可以開發一個模組。 +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module. WebSiteDesc=外部網站以獲取更多附加(非核心)模組... DevelopYourModuleDesc=一些開發自己模組的解決方案... URL=網址 @@ -446,12 +446,13 @@ LinkToTestClickToDial=用戶輸入電話號碼以撥打顯示可連線到可測 RefreshPhoneLink=更新連結 LinkToTest=已為用戶產生Clickable連結 %s (點選電話號碼來測試) KeepEmptyToUseDefault=保留為空白以使用預設值 +KeepThisEmptyInMostCases=在大多數情況下,您可以保留此欄位為空白。 DefaultLink=預設連結 SetAsDefault=設為預設值 ValueOverwrittenByUserSetup=警告,此值可能會被用戶特定的設定覆蓋(每個用戶都可以設定自己的clicktodial網址) ExternalModule=外部模組 InstalledInto=已安裝到 %s 資料夾 -BarcodeInitForthird-parties=合作方的批次條碼初始化 +BarcodeInitForThirdparties=合作方的批次條碼初始化 BarcodeInitForProductsOrServices=批次條碼初始化或產品或服務重置 CurrentlyNWithoutBarCode=目前您在沒有條碼%s%s中有%s的記錄。 InitEmptyBarCode=下一筆%s記錄初始值 @@ -541,8 +542,8 @@ Module54Name=合約/訂閱 Module54Desc=合約管理(服務或定期訂閱) Module55Name=條碼 Module55Desc=條碼管理 -Module56Name=電話 -Module56Desc=電話整合 +Module56Name=Payment by credit transfer +Module56Desc=Management of payment by credit transfer orders. It includes generation of SEPA file for European countries. Module57Name=銀行直接轉帳付款 Module57Desc=管理直接轉帳付款訂單。它包括為歐洲國家產生的SEPA檔案。 Module58Name=點選撥打 @@ -1145,6 +1146,7 @@ AvailableModules=可用的程式/模組 ToActivateModule=為啟動模組前往設定區(首頁 -> 設定 -> 模組)。 SessionTimeOut=程序超時 SessionExplanation=如果程序清除程式是由內部PHP程序清除程式完成的,則此數字保證程序不會在此延遲之前過期。內部PHP程序清除程式不保證此程序將在此延遲後過期。在此延遲之後以及執行程序清除程式時,它將到期,因此,每一次%s / %s訪問都只能在其他程序進行的訪問期間進行(如果值為0,則意味著僅通過外部進程來清除程序) 。
注意:在某些具有外部程序清除機制的伺服器上(在debian,ubuntu中為cron),在外部設定定義的時間段後,無論輸入的值是多少,都可以破壞程序。 +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. TriggersAvailable=可用的觸發器 TriggersDesc=觸發器是一旦複製到htdocs / core / triggers資料夾中後將修改Dolibarr工作流程行為的檔案。他們實現了在Dolibarr事件上啟動新的動作(新公司建立,發票驗證等)。 TriggerDisabledByName=此檔案中的觸發器被名稱後綴用-NORUN禁用。 @@ -1262,6 +1264,7 @@ FieldEdition=欗位 %s編輯 FillThisOnlyIfRequired=例如: +2 (若遇到時區偏移問題時才填寫) GetBarCode=取得條碼 NumberingModules=編號模型 +DocumentModules=文件模型 ##### Module password generation PasswordGenerationStandard=返回根據Dolibarr內部算法產生的密碼:8個字元,包含數字和小寫字元。 PasswordGenerationNone=不要產生建議密碼。密碼必須手動輸入。 @@ -1844,6 +1847,7 @@ MailToThirdparty=合作方 MailToMember= 會員 MailToUser=用戶 MailToProject=專案頁面 +MailToTicket=服務單 ByDefaultInList=在清單視圖上使用預設顯示 YouUseLastStableVersion=您使用最新的穩定版本 TitleExampleForMajorRelease=您可以用來宣布此主要版本的消息範例(可在您的網站上隨意使用) @@ -1996,6 +2000,7 @@ EmailTemplate=電子郵件模板 EMailsWillHaveMessageID=電子郵件將具有與此語法匹配的標籤“參考” PDF_USE_ALSO_LANGUAGE_CODE=如果您要在生成同一的PDF中以兩種不同的語言複製一些文字,則必須在此處設置第二種語言讓生成的PDF在同一頁中包含兩種不同的語言,選擇的可以用來生成PDF跟另一種語言(只有少數PDF模板支援此功能)。PDF只有一種語言則留空。 FafaIconSocialNetworksDesc=在此處輸入FontAwesome圖示的代碼。如果您不知道什麼是FontAwesome,則可以使用通用值fa-address-book。 +FeatureNotAvailableWithReceptionModule=啟用接收模組後,此功能不可用 RssNote=注意:每個RSS feed定義都提供一個小部件,您必須啟用該小部件才能使其在儀表板中看到 JumpToBoxes=跳至設定 -> 小部件 MeasuringUnitTypeDesc=使用值例如 "size", "surface", "volume", "weight", "time" diff --git a/htdocs/langs/zh_TW/agenda.lang b/htdocs/langs/zh_TW/agenda.lang index 40da6b3a0b2..5da63fbcfda 100644 --- a/htdocs/langs/zh_TW/agenda.lang +++ b/htdocs/langs/zh_TW/agenda.lang @@ -84,13 +84,14 @@ InterventionSentByEMail=以電子郵件發送的干預措施%s ProposalDeleted=提案/建議書已刪除 OrderDeleted=訂單已刪除 InvoiceDeleted=發票已刪除 +DraftInvoiceDeleted=發票草稿已刪除 PRODUCT_CREATEInDolibarr=產品 %s 已建立 PRODUCT_MODIFYInDolibarr=產品 %s 已修改 PRODUCT_DELETEInDolibarr=產品 %s 已刪除 HOLIDAY_CREATEInDolibarr=休假申請%s已建立 HOLIDAY_MODIFYInDolibarr=休假申請%s已修改 HOLIDAY_APPROVEInDolibarr=休假申請%s已核准 -HOLIDAY_VALIDATEDInDolibarr=休假申請%s已驗證 +HOLIDAY_VALIDATEInDolibarr=休假申請%s已驗證 HOLIDAY_DELETEInDolibarr=休假申請%s已刪除 EXPENSE_REPORT_CREATEInDolibarr=費用報表 %s 已建立 EXPENSE_REPORT_VALIDATEInDolibarr=費用報表 %s 已驗證 @@ -111,8 +112,10 @@ BOM_CLOSEInDolibarr=物料清單(BOM)已禁用 BOM_REOPENInDolibarr=物料清單(BOM)重新打開 BOM_DELETEInDolibarr=物料清單(BOM)已刪除 MRP_MO_VALIDATEInDolibarr=MO已驗證 +MRP_MO_UNVALIDATEInDolibarr=MO set to draft status MRP_MO_PRODUCEDInDolibarr=MO已生產 MRP_MO_DELETEInDolibarr=MO已刪除 +MRP_MO_CANCELInDolibarr=MO canceled ##### End agenda events ##### AgendaModelModule=事件的文件範本 DateActionStart=開始日期 @@ -151,3 +154,6 @@ EveryMonth=每月 DayOfMonth=一個月中的某天 DayOfWeek=星期幾 DateStartPlusOne=開始日 +1 小時 +SetAllEventsToTodo=Set all events to todo +SetAllEventsToInProgress=Set all events to in progress +SetAllEventsToFinished=Set all events to finished diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang index 3506b01cd26..201f208d37e 100644 --- a/htdocs/langs/zh_TW/banks.lang +++ b/htdocs/langs/zh_TW/banks.lang @@ -37,6 +37,8 @@ IbanValid=BAN 有效 IbanNotValid=BAN 無效 StandingOrders=直接轉帳訂單 StandingOrder=直接轉帳訂單 +PaymentByBankTransfers=Payments by credit transfer +PaymentByBankTransfer=Payment by credit transfer AccountStatement=帳戶對帳單 AccountStatementShort=對帳單 AccountStatements=帳戶對帳單 diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index 9c06b78ff0d..126b2e2e58e 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -241,8 +241,6 @@ EscompteOffered=已提供折扣(付款日前付款) EscompteOfferedShort=折扣 SendBillRef=提交發票%s SendReminderBillRef=提交發票%s(提醒) -StandingOrders=直接轉帳訂單 -StandingOrder=直接轉帳訂單 NoDraftBills=沒有草稿發票 NoOtherDraftBills=沒有其他草稿發票 NoDraftInvoices=沒有草稿發票 @@ -572,3 +570,6 @@ AutoFillDateToShort=設定結束日期 MaxNumberOfGenerationReached=已達到最大產生數目 BILL_DELETEInDolibarr=發票已刪除 BILL_SUPPLIER_DELETEInDolibarr=供應商發票已刪除 +UnitPriceXQtyLessDiscount=單價 x 數量 - 折讓 +CustomersInvoicesArea=Customer billing area +SupplierInvoicesArea=Supplier billing area diff --git a/htdocs/langs/zh_TW/cashdesk.lang b/htdocs/langs/zh_TW/cashdesk.lang index 5447d2abd79..b2a7de1bf7f 100644 --- a/htdocs/langs/zh_TW/cashdesk.lang +++ b/htdocs/langs/zh_TW/cashdesk.lang @@ -108,3 +108,5 @@ MainTemplateToUse=要使用的主要模板 OrderTemplateToUse=要使用的訂單模板 BarRestaurant=酒吧餐廳 AutoOrder=客戶自動下單 +RestaurantMenu=Menu +CustomerMenu=Customer menu diff --git a/htdocs/langs/zh_TW/categories.lang b/htdocs/langs/zh_TW/categories.lang index 0cae8528fd3..0d21a22e6ae 100644 --- a/htdocs/langs/zh_TW/categories.lang +++ b/htdocs/langs/zh_TW/categories.lang @@ -63,13 +63,7 @@ AccountsCategoriesShort=帳戶標籤/類別 ProjectsCategoriesShort=專案標籤/類別 UsersCategoriesShort=用戶標籤/類別 StockCategoriesShort=倉庫標籤/類別 -ThisCategoryHasNoProduct=這個類別不含任何產品。 -ThisCategoryHasNoSupplier=這個類別不含任何供應商。 -ThisCategoryHasNoCustomer=這個類別不含任何客戶。 -ThisCategoryHasNoMember=這個類別不含任何會員。 -ThisCategoryHasNoContact=此類別不含任何聯絡人。 -ThisCategoryHasNoAccount=此類別不含任何帳戶。 -ThisCategoryHasNoProject=此類別不含任何專案。 +ThisCategoryHasNoItems=此類別內沒有任何項目。 CategId=標籤/類別編號 CatSupList=供應商標籤/類別清單 CatCusList=客戶/潛在方標籤/類別清單 @@ -92,4 +86,5 @@ ByDefaultInList=預設在清單中 ChooseCategory=選擇類別 StocksCategoriesArea=倉庫類別區域 ActionCommCategoriesArea=事件類別區 +WebsitePagesCategoriesArea=Page-Container Categories Area UseOrOperatorForCategories=類別的使用或運算 diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang index 68c65175bd0..7799869a9b4 100644 --- a/htdocs/langs/zh_TW/companies.lang +++ b/htdocs/langs/zh_TW/companies.lang @@ -19,7 +19,6 @@ ProspectionArea=潛在方區域 IdThirdParty=合作方ID IdCompany=公司ID IdContact=連絡人ID -Contacts=聯絡人/地址 ThirdPartyContacts=合作方聯絡人 ThirdPartyContact=合作方連絡人/地址 Company=公司 @@ -298,7 +297,8 @@ AddContact=建立聯絡人 AddContactAddress=建立聯絡/地址 EditContact=編輯聯絡人 EditContactAddress=編輯聯絡/地址 -Contact=連絡人 +Contact=Contact/Address +Contacts=聯絡人/地址 ContactId=連絡人ID ContactsAddresses=通訊錄/地址 FromContactName=名稱: @@ -425,7 +425,7 @@ ListSuppliersShort=供應商清單 ListProspectsShort=潛在方清單 ListCustomersShort=客戶清單 ThirdPartiesArea=合作方/通訊錄 -LastModifiedThirdParties=最新修改的%s位合作方 +LastModifiedThirdParties=Latest %s modified Third Parties UniqueThirdParties=全部合作方 InActivity=開放 ActivityCeased=關閉 diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang index 5f3c373da1c..4a1b4720ae9 100644 --- a/htdocs/langs/zh_TW/errors.lang +++ b/htdocs/langs/zh_TW/errors.lang @@ -235,8 +235,8 @@ ErrorLanguageOfTranslatedPageIsSameThanThisPage=錯誤,翻譯頁面的語言 ErrorBatchNoFoundForProductInWarehouse=在倉庫“ %s”中找不到產品“ %s”的批次/序列。 ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=倉庫“ %s”中產品“ %s”的此批次/序列沒有足夠的數量。 ErrorOnlyOneFieldForGroupByIsPossible=“群組依據”只能使用1個欄位(其他欄位則被丟棄) -ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ? -ErrorReplaceStringEmpty=Error, the string to replace into is empty +ErrorTooManyDifferentValueForSelectedGroupBy=為欄位“ %s ”發現了太多不同的值(多於 %s ),因此我們不能將其用作“分組依據”。 “分組依據”欄位已刪除。也許您想將其用作X軸? +ErrorReplaceStringEmpty=錯誤,要替換的字串為空 # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=您的PHP參數upload_max_filesize(%s)高於PHP參數post_max_size(%s)。這不是相同的設定。 WarningPasswordSetWithNoAccount=為此會員設定了密碼。但是,沒有建立用戶帳戶。因此,雖然密碼已儲存,但不能用於登入Dolibarr。外部模組/界面可以使用它,但是如果您不需要為會員定義任何登入名稱或密碼,則可以從會員模組設定中禁用選項“管理每個會員的登入名稱”。如果您需要管理登入名稱但不需要任何密碼,則可以將此欄位保留為空白以避免此警告。注意:如果會員連結到用戶,電子郵件也可以用作登入名稱。 @@ -263,3 +263,4 @@ WarningNumberOfRecipientIsRestrictedInMassAction=警告,在清單上使用批 WarningDateOfLineMustBeInExpenseReportRange=警告,行的日期不在費用報告的範圍內 WarningProjectClosed=專案已關閉。您必須先重新打開它。 WarningSomeBankTransactionByChequeWereRemovedAfter=在產生包括它們的收據之後,一些銀行交易將被刪除。因此支票的數量和收據的數量可能與清單中的數量和總數有所不同。 +WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table diff --git a/htdocs/langs/zh_TW/hrm.lang b/htdocs/langs/zh_TW/hrm.lang index c5dd89482e7..3708e9180f3 100644 --- a/htdocs/langs/zh_TW/hrm.lang +++ b/htdocs/langs/zh_TW/hrm.lang @@ -11,7 +11,7 @@ CloseEtablishment=關閉營業所 # Dictionary DictionaryPublicHolidays=HRM-公共假期 DictionaryDepartment=HRM-部門清單 -DictionaryFunction=HRM-功能清單 +DictionaryFunction=HRM - Job positions # Module Employees=員工 Employee=員工 diff --git a/htdocs/langs/zh_TW/install.lang b/htdocs/langs/zh_TW/install.lang index 2c284ef7fd7..875e5c8f971 100644 --- a/htdocs/langs/zh_TW/install.lang +++ b/htdocs/langs/zh_TW/install.lang @@ -16,7 +16,7 @@ PHPSupportCurl=此PHP支援Curl。 PHPSupportCalendar=此PHP支援日曆外掛。 PHPSupportUTF8=此PHP支援UTF8函數。 PHPSupportIntl=此PHP支援Intl函數。 -PHPSupportxDebug=This PHP supports extended debug functions. +PHPSupportxDebug=此PHP支援擴展的除錯功能。 PHPSupport=此PHP支援%s函數。 PHPMemoryOK=您的PHP最大session記憶體設定為%s 。這應該足夠了。 PHPMemoryTooLow=您的PHP最大session記憶體為%sbytes。這太低了。更改您的php.ini,以將記憶體限制/b>參數設定為至少%sbytes。 @@ -27,7 +27,7 @@ ErrorPHPDoesNotSupportCurl=您的PHP安裝不支援Curl。 ErrorPHPDoesNotSupportCalendar=您的PHP安裝不支援php日曆外掛。 ErrorPHPDoesNotSupportUTF8=您的PHP安裝不支援UTF8函數。 Dolibarr無法正常工作。必須在安裝Dolibarr之前修復此問題。 ErrorPHPDoesNotSupportIntl=您的PHP安裝不支援Intl函數。 -ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions. +ErrorPHPDoesNotSupportxDebug=您的PHP安裝不支援擴展除錯功能。 ErrorPHPDoesNotSupport=您的PHP安裝不支援%s函數。 ErrorDirDoesNotExists=資料夾%s不存在。 ErrorGoBackAndCorrectParameters=返回並檢查/更正參數。 @@ -218,6 +218,6 @@ ErrorFoundDuringMigration=在移轉過程中出現了錯誤,因此無法進行 YouTryInstallDisabledByDirLock=該應用程式嘗試進行自我升級,但是出於安全性考慮,已禁用了安裝/升級頁面(使用.lock後綴重命名資料夾)。
YouTryInstallDisabledByFileLock=此應用程式嘗試進行自我升級,但是出於安全性考慮,已禁用了安裝/升級頁面(由於dolibarr檔案資料夾中存在鎖定文件install.lock )。
ClickHereToGoToApp=點擊此處前往您的應用程式 -ClickOnLinkOrRemoveManualy=點擊以下連結。如果始終看到同一頁面,則必須在檔案資料夾中刪除/重命名檔案install.lock。 -Loaded=Loaded -FunctionTest=Function test +ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +Loaded=已載入 +FunctionTest=功能測試 diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index ee82ff56d58..95be6568b2b 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -187,6 +187,8 @@ ShowCardHere=顯示卡片 Search=搜尋 SearchOf=搜尋 SearchMenuShortCut=Ctrl + shift + f +QuickAdd=快速加入 +QuickAddMenuShortCut=Ctrl + shift + l Valid=有效 Approve=核准 Disapprove=不核准 @@ -664,6 +666,7 @@ Owner=擁有者 FollowingConstantsWillBeSubstituted=接下來常數將代替相對應的值。 Refresh=重新整理 BackToList=返回清單 +BackToTree=回到樹狀圖 GoBack=返回 CanBeModifiedIfOk=如果有效可以被修改 CanBeModifiedIfKo=如果無效可以被修改 @@ -840,6 +843,7 @@ Sincerely=敬祝商祺 ConfirmDeleteObject=您確定要刪除這個項目嗎? DeleteLine=刪除行 ConfirmDeleteLine=您認定您要刪除此行嗎? +ErrorPDFTkOutputFileNotFound=錯誤: 檔案並未產生. 請確認'pdftk' 命令已被安裝在 $PATH 環境變數 (linux/unix only)中的資料夾內或是聯絡您的系統管理員. NoPDFAvailableForDocGenAmongChecked=在產生文件的記錄中沒有可用的 PDF TooManyRecordForMassAction=選擇進行大規模行動的記錄過多。該操作僅限於%s記錄的清單。 NoRecordSelected=沒有記錄被選取 @@ -1033,3 +1037,5 @@ DeleteFileText=您確定要刪除檔案嗎? ShowOtherLanguages=顯示其他語言 SwitchInEditModeToAddTranslation=切換到編輯模式以添加該語言的翻譯 NotUsedForThisCustomer=未用於此客戶 +AmountMustBePositive=Amount must be positive +ByStatus=By status diff --git a/htdocs/langs/zh_TW/modulebuilder.lang b/htdocs/langs/zh_TW/modulebuilder.lang index 775ac7b66f6..744db308359 100644 --- a/htdocs/langs/zh_TW/modulebuilder.lang +++ b/htdocs/langs/zh_TW/modulebuilder.lang @@ -19,7 +19,7 @@ ModuleBuilderDescmenus=此標籤專用於定義您模組提供的選單輸入。 ModuleBuilderDescpermissions=此標籤專用於定義您要隨模組提供的新權限。 ModuleBuilderDesctriggers=這是您模組提供的觸發器檢視。當觸發了業務事件時要包含代碼的執行,只需編輯此檔案。 ModuleBuilderDeschooks=此標籤專用於掛載。 -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! @@ -27,7 +27,7 @@ DangerZone=危險區域 BuildPackage=建立軟體包 BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. BuildDocumentation=建立文件 -ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=詳細描述 EditorName=編輯器名稱 @@ -139,3 +139,4 @@ ForeignKey=外部金鑰 TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) AsciiToHtmlConverter=ASCII到HTML轉換器 AsciiToPdfConverter=ASCII到PDF轉換器 +TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. diff --git a/htdocs/langs/zh_TW/mrp.lang b/htdocs/langs/zh_TW/mrp.lang index bffc7c95e76..1197f4659de 100644 --- a/htdocs/langs/zh_TW/mrp.lang +++ b/htdocs/langs/zh_TW/mrp.lang @@ -56,11 +56,12 @@ ToConsume=消耗 ToProduce=生產 QtyAlreadyConsumed=已消耗數量 QtyAlreadyProduced=已生產數量 +QtyRequiredIfNoLoss=無損失時所需的數量(製造效率為100%%) ConsumeOrProduce=消耗或生產 ConsumeAndProduceAll=消耗並生產所有產品 Manufactured=已製造 TheProductXIsAlreadyTheProductToProduce=要增加的產品已經是要生產的產品。 -ForAQuantityOf1=生產數量為1 +ForAQuantityOf=數量為%s ConfirmValidateMo=您確定要驗證此製造訂單嗎? ConfirmProductionDesc=通過點擊“%s”,您將驗證數量設定的消耗量和/或生產量。這還將更新庫存並記錄庫存動向。 ProductionForRef=生產%s @@ -71,3 +72,6 @@ ProductQtyToProduceByMO=開放MO仍可產生的產品優先等級 AddNewConsumeLines=增加新的行來使用 ProductsToConsume=消耗的產品 ProductsToProduce=生產的產品 +UnitCost=單位成本 +TotalCost=總計花費 +BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price) diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index 316388ffb1b..693eb68d912 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -34,7 +34,7 @@ GraphInBarsAreLimitedToNMeasures=於“ Bars”模式下,圖形被限制於%s OnlyOneFieldForXAxisIsPossible=目前只能將1個欄位用作X軸。僅選擇了第一個選定欄位。 AtLeastOneMeasureIsRequired=至少需要1個測量欄位 AtLeastOneXAxisIsRequired=X軸至少需要1個欄位 -LatestBlogPosts=Latest Blog Posts +LatestBlogPosts=最新的部落格文章 Notify_ORDER_VALIDATE=銷售訂單已驗證 Notify_ORDER_SENTBYMAIL=使用郵件寄送的銷售訂單 Notify_ORDER_SUPPLIER_SENTBYMAIL=使用電子郵件寄送的採購訂單 @@ -85,8 +85,8 @@ MaxSize=檔案容量上限 AttachANewFile=附加一個新的檔案/文件 LinkedObject=已連結項目 NbOfActiveNotifications=通知數(收件人電子郵件數量) -PredefinedMailTest=__(Hello)__\n這是一封測試郵件寄送給 __EMAIL__.\n這兩行使用Enter符號分隔.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\n這是一封 測試郵件("測試"必須為粗體).
這兩行使用Enter符號分隔.

__USER_SIGNATURE__ +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
This is a test mail sent to __EMAIL__ (the word test must be in bold).
The lines are separated by a carriage return.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoice=__(Hello)__\n\n請查看已附上之發票 __REF__ \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\n我們要提醒您發票__REF__ 似乎尚未付款.已附上發票副本.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index a17d6b43bc4..82d6f445ef2 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 modified products/services LastRecordedProducts=最新 %s 紀錄的產品 LastRecordedServices=最新%s 紀錄的服務 CardProduct0=產品 @@ -106,6 +106,7 @@ NoteNotVisibleOnBill=註解(不會在發票或提案/建議書上顯示) ServiceLimitedDuration=如果產品是一種有期限的服務: MultiPricesAbility=每個產品/服務有多個價格區段(每個客戶屬於一個價格區段) MultiPricesNumPrices=價格數量 +DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices AssociatedProductsAbility=啟動虛擬產品(套件) AssociatedProducts=虛擬產品 AssociatedProductsNumber=組成此虛擬產品的產品數 diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 789835b25ea..dea2dd1ac18 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -115,7 +115,7 @@ ChildOfTask=任務的子項目 TaskHasChild=任務有子任務 NotOwnerOfProject=不是此私人專案的所有者 AffectedTo=分配給 -CantRemoveProject=這個專案不能刪除,因為它是由一些(其他項目引用的發票,訂單或其他)。請參照參考分頁。 +CantRemoveProject=此專案無法被移除,因為它與其他物件(發票、訂單、或其他)有關聯性。請參考頁籤 '%s'。 ValidateProject=驗證專案 ConfirmValidateProject=您確定要驗證此專案嗎? CloseAProject=關閉專案 @@ -265,3 +265,4 @@ NewInvoice=新發票 OneLinePerTask=每個任務一行 OneLinePerPeriod=每個週期一行 RefTaskParent=參考上層任務 +ProfitIsCalculatedWith=Profit is calculated using diff --git a/htdocs/langs/zh_TW/receptions.lang b/htdocs/langs/zh_TW/receptions.lang index a2e915775c6..038e75f26ca 100644 --- a/htdocs/langs/zh_TW/receptions.lang +++ b/htdocs/langs/zh_TW/receptions.lang @@ -43,3 +43,5 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=已收到未清供應商訂單中 ValidateOrderFirstBeforeReception=您必須先驗證訂單,然後才能進行收貨。 ReceptionsNumberingModules=收貨編號模組 ReceptionsReceiptModel=收貨用文件範本 +NoMorePredefinedProductToDispatch=No more predefined products to dispatch + diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index ade552d74ed..41ea9f8cd0a 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -56,6 +56,13 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=倉庫價值 UserWarehouseAutoCreate=新增用戶時自動新增用戶倉庫 AllowAddLimitStockByWarehouse=除了每個產品的最小和期望庫存值之外,還管理每個配對(產品倉庫)的最小和期望庫存值 +RuleForWarehouse=Rule for warehouses +WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders +UserDefaultWarehouse=Set a warehouse on Users +DefaultWarehouseActive=Default warehouse active +MainDefaultWarehouse=預設倉庫 +MainDefaultWarehouseUser=Use user warehouse asign default +MainDefaultWarehouseUserDesc=/!\\ By activating this option the gold of the creation of an article, the warehouse assigned to the user will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined. IndependantSubProductStock=產品庫存和子產品庫存是獨立的 QtyDispatched=發貨數量 QtyDispatchedShort=發貨數量 @@ -123,6 +130,7 @@ WarehouseForStockDecrease=倉庫%s將用於減少庫存 WarehouseForStockIncrease=倉庫%s將用於庫存增加 ForThisWarehouse=用於這個倉庫 ReplenishmentStatusDesc=這是庫存低於需求庫存(或低於警報值且勾選“只警告”)的所有產品列表。使用勾選框,您可以新增採購訂單以填補差額。 +ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse. ReplenishmentOrdersDesc=這是所有未清採購訂單的清單,包括預定義產品。在此處可見僅顯示帶有預定義產品的未結訂單,訂單可能會影響庫存。 Replenishments=補貨 NbOfProductBeforePeriod=選則期間以前產品%s庫存的數量(<%s) @@ -218,3 +226,4 @@ InventoryForASpecificWarehouse=特定倉庫的庫存 InventoryForASpecificProduct=特定產品的庫存 StockIsRequiredToChooseWhichLotToUse=庫存需要選擇要使用的批次 ForceTo=強制到 +AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances) diff --git a/htdocs/langs/zh_TW/ticket.lang b/htdocs/langs/zh_TW/ticket.lang index 06f7a173da1..5e83c43398c 100644 --- a/htdocs/langs/zh_TW/ticket.lang +++ b/htdocs/langs/zh_TW/ticket.lang @@ -130,10 +130,14 @@ TicketNumberingModules=服務單編號模組 TicketNotifyTiersAtCreation=建立時通知合作方 TicketGroup=群組 TicketsDisableCustomerEmail=從公共界面建立服務單時,始終禁用電子郵件 +TicketsPublicNotificationNewMessage=Send email(s) when a new message is added +TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to) +TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update) +TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email. # # Index & list page # -TicketsIndex=服務單-主頁 +TicketsIndex=門票區 TicketList=服務單清單 TicketAssignedToMeInfos=此頁面顯示由目前用戶建立或分配給目前用戶的服務單清單 NoTicketsFound=找不到服務單 diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang index f62509cb79f..d383edbd3e7 100644 --- a/htdocs/langs/zh_TW/website.lang +++ b/htdocs/langs/zh_TW/website.lang @@ -16,6 +16,7 @@ WEBSITE_ROBOT=Robot檔案(robots.txt) WEBSITE_HTACCESS=網站 .htaccess 檔案 WEBSITE_MANIFEST_JSON=網站 manifest.json 檔案 WEBSITE_README=README.md 檔案 +WEBSITE_KEYWORDSDesc=Use a comma to separate values EnterHereLicenseInformation=在此處輸入meta data或許可證資訊以填入README.md檔案。如果您以模板型式發佈網站,則檔案將包含在模板軟體包中。 HtmlHeaderPage=HTML標頭(僅用於此頁面) PageNameAliasHelp=頁面的名稱或別名。
當從Web伺服器的虛擬主機(如Apacke,Nginx等)執行網站時,此別名還用於偽造SEO網址。使用按鈕“ %s ”編輯此別名。 @@ -120,7 +121,7 @@ ShowSubContainersOnOff=執行“動態內容”的模式為%s GlobalCSSorJS=網站的全域CSS / JS / Header檔案 BackToHomePage=返回首頁... TranslationLinks=翻譯連結 -YouTryToAccessToAFileThatIsNotAWebsitePage=您嘗試訪問不是網站頁面的頁面 +YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available.
(ref=%s, type=%s, status=%s) UseTextBetween5And70Chars=為了獲得良好的SEO實踐,請使用5到70個字元的文字 MainLanguage=主要語言 OtherLanguages=其他語言 @@ -128,3 +129,6 @@ UseManifest=提供manifest.json檔案 PublicAuthorAlias=公共作者別名 AvailableLanguagesAreDefinedIntoWebsiteProperties=可用語言已定義到網站屬性中 ReplacementDoneInXPages=在%s頁面或容器中已完成替換 +RSSFeed=RSS 訂閱 +RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL +PagesRegenerated=%s page(s)/container(s) regenerated diff --git a/htdocs/langs/zh_TW/withdrawals.lang b/htdocs/langs/zh_TW/withdrawals.lang index bb934a14939..1a12ffd57be 100644 --- a/htdocs/langs/zh_TW/withdrawals.lang +++ b/htdocs/langs/zh_TW/withdrawals.lang @@ -1,27 +1,43 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=直接轉帳付款訂單區 -SuppliersStandingOrdersArea=直接信用付款訂單區 +CustomersStandingOrdersArea=Payments by Direct debit orders +SuppliersStandingOrdersArea=Payments by Credit transfer StandingOrdersPayment=直接轉帳付款訂單 StandingOrderPayment=直接轉帳付款訂單 NewStandingOrder=新直接轉帳付款訂單 +NewPaymentByBankTransfer=New payment by credit transfer StandingOrderToProcess=處理 +PaymentByBankTransferReceipts=Credit transfer orders +PaymentByBankTransferLines=Credit transfer order lines WithdrawalsReceipts=直接轉帳付款訂單 WithdrawalReceipt=直接轉帳付款訂單 +BankTransferReceipts=Credit transfer receipts +BankTransferReceipt=Credit transfer receipt +LatestBankTransferReceipts=Latest %s credit transfer orders LastWithdrawalReceipts=最新%s個直接轉帳付款檔案 +WithdrawalsLine=Direct debit order line +CreditTransferLine=Credit transfer line WithdrawalsLines=直接轉帳付款訂單行 -RequestStandingOrderToTreat=直接轉帳付款訂單處理要求 -RequestStandingOrderTreated=直接轉帳付款訂單要求已處理 +CreditTransferLines=Credit transfer lines +RequestStandingOrderToTreat=Requests for direct debit payment order to process +RequestStandingOrderTreated=Requests for direct debit payment order processed +RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process +RequestPaymentsByBankTransferTreated=Requests for credit transfer processed NotPossibleForThisStatusOfWithdrawReceiptORLine=尚不可能。在特定行中宣佈拒絕之前,必須將“退款”狀態設定為“已記入”。 -NbOfInvoiceToWithdraw=等待直接轉帳付款訂單的合格發票數 +NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order NbOfInvoiceToWithdrawWithInfo=具有已定義銀行帳戶資訊的直接轉帳付款訂單客戶發票數量 +NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer +SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer InvoiceWaitingWithdraw=等待直接轉帳付款的發票 +InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer AmountToWithdraw=提款金額 -WithdrawsRefused=直接轉帳付款被拒絕 -NoInvoiceToWithdraw=沒有打開“直接轉帳付款請求”的客戶發票。在發票卡上的分頁“ %s”上進行請求。 +NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=用戶負責 WithdrawalsSetup=直接轉帳付款設定 +CreditTransferSetup=Crebit transfer setup WithdrawStatistics=直接轉帳付款統計 -WithdrawRejectStatistics=直接轉帳付款拒絕統計 +CreditTransferStatistics=Credit transfer statistics +Rejects=拒絕 LastWithdrawalReceipt=最新%s張直接轉帳付款收據 MakeWithdrawRequest=提出直接轉帳付款請求 WithdrawRequestsDone=已記錄%s直接轉帳付款請求 @@ -34,7 +50,9 @@ TransMetod=傳送方式 Send=寄送 Lines=行 StandingOrderReject=發出拒絕 +WithdrawsRefused=直接轉帳付款被拒絕 WithdrawalRefused=提款被拒絕 +CreditTransfersRefused=Credit transfers refused WithdrawalRefusedConfirm=您確定要為協會輸入拒絕提款嗎? RefusedData=拒絕日期 RefusedReason=拒絕原因 @@ -58,6 +76,8 @@ StatusMotif8=其他原因 CreateForSepaFRST=建立直接轉帳付款檔案(SEPA FRST) CreateForSepaRCUR=建立直接轉帳付款檔案(SEPA RCUR) CreateAll=建立直接轉帳付款檔案(全部) +CreateFileForPaymentByBankTransfer=Create credit transfer (all) +CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA) CreateGuichet=只有辦公室 CreateBanque=只有銀行 OrderWaiting=等待處理 @@ -67,6 +87,7 @@ NumeroNationalEmetter=國際轉帳編號 WithBankUsingRIB=用於RIB的銀行帳戶 WithBankUsingBANBIC=用於IBAN / BIC / SWIFT的銀行帳戶 BankToReceiveWithdraw=收款銀行帳戶 +BankToPayCreditTransfer=Bank Account used as source of payments CreditDate=信貸 WithdrawalFileNotCapable=無法為您的國家/地區產生提款收據檔案%s(不支援您的國家/地區) ShowWithdraw=顯示直接轉帳付款訂單 @@ -74,7 +95,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=但是,如果發票中至少有一 DoStandingOrdersBeforePayments=此分頁可讓您請求直接轉帳付款訂單。完成後,進入選單銀行->直接轉帳訂單以管理直接轉帳付款訂單。關閉付款訂單後,將自動記錄發票付款,如果剩餘付款為空,則關閉發票。 WithdrawalFile=提款檔案 SetToStatusSent=設定狀態為“檔案已傳送” -ThisWillAlsoAddPaymentOnInvoice=這將記錄對發票的付款,如果剩餘應付款為空,則將其分類為“已付款” +ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null StatisticsByLineStatus=依照行狀態統計 RUM=UMR DateRUM=委託簽名日期 diff --git a/htdocs/modulebuilder/template/class/api_mymodule.class.php b/htdocs/modulebuilder/template/class/api_mymodule.class.php index 65998ed4390..67c7246b855 100644 --- a/htdocs/modulebuilder/template/class/api_mymodule.class.php +++ b/htdocs/modulebuilder/template/class/api_mymodule.class.php @@ -108,7 +108,7 @@ class MyModuleApi extends DolibarrApi $obj_ret = array(); $tmpobject = new MyObject($db); - if (!DolibarrApiAccess::$user->rights->bbb->read) { + if (!DolibarrApiAccess::$user->rights->mymodule->myobject->read) { throw new RestException(401); } @@ -131,7 +131,7 @@ class MyModuleApi extends DolibarrApi //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; - if ($tmpobject->ismultientitymanaged) $sql .= ' AND t.entity IN ('.getEntity('myobject').')'; + if ($tmpobject->ismultientitymanaged) $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) $sql .= " AND t.fk_soc = sc.fk_soc"; if ($restrictonsocid && $socid) $sql .= " AND t.fk_soc = ".$socid; if ($restrictonsocid && $search_sale > 0) $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale @@ -166,9 +166,9 @@ class MyModuleApi extends DolibarrApi while ($i < $num) { $obj = $db->fetch_object($result); - $myobject_static = new MyObject($db); - if ($myobject_static->fetch($obj->rowid)) { - $obj_ret[] = $this->_cleanObjectDatas($myobject_static); + $tmp_object = new MyObject($db); + if ($tmp_object->fetch($obj->rowid)) { + $obj_ret[] = $this->_cleanObjectDatas($tmp_object); } $i++; } diff --git a/htdocs/mrp/class/api_mos.class.php b/htdocs/mrp/class/api_mos.class.php new file mode 100644 index 00000000000..963da439180 --- /dev/null +++ b/htdocs/mrp/class/api_mos.class.php @@ -0,0 +1,354 @@ + + * Copyright (C) 2019 Maxime Kohlhaas + * + * 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 . + */ + +use Luracast\Restler\RestException; + +require_once DOL_DOCUMENT_ROOT.'/mrp/class/mo.class.php'; + + +/** + * \file mrp/class/api_mo.class.php + * \ingroup mrp + * \brief File for API management of MO. + */ + +/** + * API class for MO + * + * @access protected + * @class DolibarrApiAccess {@requires user,external} + */ +class Mos extends DolibarrApi +{ + /** + * @var Mo $mo {@type Mo} + */ + public $mo; + + /** + * Constructor + */ + public function __construct() + { + global $db, $conf; + $this->db = $db; + $this->mo = new Mo($this->db); + } + + /** + * Get properties of a MO object + * + * Return an array with MO informations + * + * @param int $id ID of MO + * @return array|mixed data without useless information + * + * @url GET {id} + * @throws RestException + */ + public function get($id) + { + if (!DolibarrApiAccess::$user->rights->mrp->read) { + throw new RestException(401); + } + + $result = $this->mo->fetch($id); + if (!$result) { + throw new RestException(404, 'MO not found'); + } + + if (!DolibarrApi::_checkAccessToResource('mrp', $this->mo->id, 'mrp_mo')) { + throw new RestException(401, 'Access not allowed for login '.DolibarrApiAccess::$user->login); + } + + return $this->_cleanObjectDatas($this->mo); + } + + + /** + * List Mos + * + * Get a list of MOs + * + * @param string $sortfield Sort field + * @param string $sortorder Sort order + * @param int $limit Limit for list + * @param int $page Page number + * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.ref:like:'SO-%') and (t.date_creation:<:'20160101')" + * @return array Array of order objects + * + * @throws RestException + */ + public function index($sortfield = "t.rowid", $sortorder = 'ASC', $limit = 100, $page = 0, $sqlfilters = '') + { + global $db, $conf; + + $obj_ret = array(); + $tmpobject = new Mo($db); + + $socid = DolibarrApiAccess::$user->socid ? DolibarrApiAccess::$user->socid : ''; + + $restrictonsocid = 0; // Set to 1 if there is a field socid in table of object + + // If the internal user must only see his customers, force searching by him + $search_sale = 0; + if ($restrictonsocid && !DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) $search_sale = DolibarrApiAccess::$user->id; + + $sql = "SELECT t.rowid"; + if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) $sql .= ", sc.fk_soc, sc.fk_user"; // We need these fields in order to filter by sale (including the case where the user can only see his prospects) + $sql .= " FROM ".MAIN_DB_PREFIX.$tmpobject->table_element." as t"; + + if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) $sql .= ", ".MAIN_DB_PREFIX."societe_commerciaux as sc"; // We need this table joined to the select in order to filter by sale + $sql .= " WHERE 1 = 1"; + + // Example of use $mode + //if ($mode == 1) $sql.= " AND s.client IN (1, 3)"; + //if ($mode == 2) $sql.= " AND s.client IN (2, 3)"; + + if ($tmpobject->ismultientitymanaged) $sql .= ' AND t.entity IN ('.getEntity($tmpobject->element).')'; + if ($restrictonsocid && (!DolibarrApiAccess::$user->rights->societe->client->voir && !$socid) || $search_sale > 0) $sql .= " AND t.fk_soc = sc.fk_soc"; + if ($restrictonsocid && $socid) $sql .= " AND t.fk_soc = ".$socid; + if ($restrictonsocid && $search_sale > 0) $sql .= " AND t.rowid = sc.fk_soc"; // Join for the needed table to filter by sale + // Insert sale filter + if ($restrictonsocid && $search_sale > 0) + { + $sql .= " AND sc.fk_user = ".$search_sale; + } + if ($sqlfilters) + { + if (!DolibarrApi::_checkFilters($sqlfilters)) + { + throw new RestException(503, 'Error when validating parameter sqlfilters '.$sqlfilters); + } + $regexstring = '\(([^:\'\(\)]+:[^:\'\(\)]+:[^:\(\)]+)\)'; + $sql .= " AND (".preg_replace_callback('/'.$regexstring.'/', 'DolibarrApi::_forge_criteria_callback', $sqlfilters).")"; + } + + $sql .= $db->order($sortfield, $sortorder); + if ($limit) { + if ($page < 0) + { + $page = 0; + } + $offset = $limit * $page; + + $sql .= $db->plimit($limit + 1, $offset); + } + + $result = $db->query($sql); + if ($result) + { + $num = $db->num_rows($result); + $i = 0; + while ($i < $num) + { + $obj = $db->fetch_object($result); + $tmp_object = new Mo($db); + if ($tmp_object->fetch($obj->rowid)) { + $obj_ret[] = $this->_cleanObjectDatas($tmp_object); + } + $i++; + } + } + else { + throw new RestException(503, 'Error when retrieve MO list'); + } + if (!count($obj_ret)) { + throw new RestException(404, 'No MO found'); + } + return $obj_ret; + } + + /** + * Create MO object + * + * @param array $request_data Request datas + * @return int ID of MO + */ + public function post($request_data = null) + { + if (!DolibarrApiAccess::$user->rights->mrp->write) { + throw new RestException(401); + } + // Check mandatory fields + $result = $this->_validate($request_data); + + foreach ($request_data as $field => $value) { + $this->mo->$field = $value; + } + if (!$this->mo->create(DolibarrApiAccess::$user)) { + throw new RestException(500, "Error creating MO", array_merge(array($this->mo->error), $this->mo->errors)); + } + return $this->mo->id; + } + + /** + * Update MO + * + * @param int $id Id of MO to update + * @param array $request_data Datas + * + * @return int + */ + public function put($id, $request_data = null) + { + if (!DolibarrApiAccess::$user->rights->mrp->write) { + throw new RestException(401); + } + + $result = $this->mo->fetch($id); + if (!$result) { + throw new RestException(404, 'MO not found'); + } + + if (!DolibarrApi::_checkAccessToResource('mrp', $this->mo->id, 'mrp_mo')) { + throw new RestException(401, 'Access not allowed for login '.DolibarrApiAccess::$user->login); + } + + foreach ($request_data as $field => $value) { + if ($field == 'id') continue; + $this->mo->$field = $value; + } + + if ($this->mo->update($id, DolibarrApiAccess::$user) > 0) + { + return $this->get($id); + } + else + { + throw new RestException(500, $this->mo->error); + } + } + + /** + * Delete MO + * + * @param int $id MO ID + * @return array + */ + public function delete($id) + { + if (!DolibarrApiAccess::$user->rights->mrp->delete) { + throw new RestException(401); + } + $result = $this->mo->fetch($id); + if (!$result) { + throw new RestException(404, 'MO not found'); + } + + if (!DolibarrApi::_checkAccessToResource('mrp', $this->mo->id, 'mrp_mo')) { + throw new RestException(401, 'Access not allowed for login '.DolibarrApiAccess::$user->login); + } + + if (!$this->mo->delete(DolibarrApiAccess::$user)) + { + throw new RestException(500, 'Error when deleting MO : '.$this->mo->error); + } + + return array( + 'success' => array( + 'code' => 200, + 'message' => 'MO deleted' + ) + ); + } + + + // phpcs:disable PEAR.NamingConventions.ValidFunctionName.PublicUnderscore + /** + * Clean sensible object datas + * + * @param object $object Object to clean + * @return array Array of cleaned object properties + */ + protected function _cleanObjectDatas($object) + { + // phpcs:enable + $object = parent::_cleanObjectDatas($object); + + unset($object->rowid); + unset($object->canvas); + + unset($object->name); + unset($object->lastname); + unset($object->firstname); + unset($object->civility_id); + unset($object->statut); + unset($object->state); + unset($object->state_id); + unset($object->state_code); + unset($object->region); + unset($object->region_code); + unset($object->country); + unset($object->country_id); + unset($object->country_code); + unset($object->barcode_type); + unset($object->barcode_type_code); + unset($object->barcode_type_label); + unset($object->barcode_type_coder); + unset($object->total_ht); + unset($object->total_tva); + unset($object->total_localtax1); + unset($object->total_localtax2); + unset($object->total_ttc); + unset($object->fk_account); + unset($object->comments); + unset($object->note); + unset($object->mode_reglement_id); + unset($object->cond_reglement_id); + unset($object->cond_reglement); + unset($object->shipping_method_id); + unset($object->fk_incoterms); + unset($object->label_incoterms); + unset($object->location_incoterms); + + // If object has lines, remove $db property + if (isset($object->lines) && is_array($object->lines) && count($object->lines) > 0) { + $nboflines = count($object->lines); + for ($i = 0; $i < $nboflines; $i++) + { + $this->_cleanObjectDatas($object->lines[$i]); + + unset($object->lines[$i]->lines); + unset($object->lines[$i]->note); + } + } + + return $object; + } + + /** + * Validate fields before create or update object + * + * @param array $data Array of data to validate + * @return array + * + * @throws RestException + */ + private function _validate($data) + { + $myobject = array(); + foreach ($this->mo->fields as $field => $propfield) { + if (in_array($field, array('rowid', 'entity', 'date_creation', 'tms', 'fk_user_creat')) || $propfield['notnull'] != 1) continue; // Not a mandatory field + if (!isset($data[$field])) + throw new RestException(400, "$field field missing"); + $myobject[$field] = $data[$field]; + } + return $myobject; + } +} diff --git a/htdocs/mrp/mo_agenda.php b/htdocs/mrp/mo_agenda.php index 6630688b64a..755b2232df3 100644 --- a/htdocs/mrp/mo_agenda.php +++ b/htdocs/mrp/mo_agenda.php @@ -53,11 +53,6 @@ if (GETPOST('actioncode', 'array')) } $search_agenda_label = GETPOST('search_agenda_label'); -// Security check - Protection if external user -//if ($user->socid > 0) accessforbidden(); -//if ($user->socid > 0) $socid = $user->socid; -//$result = restrictedArea($user, 'mrp', $id); - $limit = GETPOST('limit', 'int') ?GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST("sortfield", 'alpha'); $sortorder = GETPOST("sortorder", 'alpha'); @@ -82,6 +77,11 @@ $extrafields->fetch_name_optionals_label($object->table_element); include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be include, not include_once // Must be include, not include_once. Include fetch and fetch_thirdparty but not fetch_optionals if ($id > 0 || !empty($ref)) $upload_dir = $conf->mrp->multidir_output[$object->entity]."/".$object->id; +// 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); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); /* diff --git a/htdocs/mrp/mo_card.php b/htdocs/mrp/mo_card.php index a59af25e47e..5a28f227ba7 100644 --- a/htdocs/mrp/mo_card.php +++ b/htdocs/mrp/mo_card.php @@ -108,7 +108,7 @@ if (GETPOST('fk_bom', 'int')) //if ($user->socid > 0) accessforbidden(); //if ($user->socid > 0) $socid = $user->socid; $isdraft = (($object->status == $object::STATUS_DRAFT) ? 1 : 0); -//$result = restrictedArea($user, 'mrp', $object->id, '', '', 'fk_soc', 'rowid', $isdraft); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); $permissionnote = $user->rights->mrp->write; // Used by the include of actions_setnotes.inc.php $permissiondellink = $user->rights->mrp->write; // Used by the include of actions_dellink.inc.php diff --git a/htdocs/mrp/mo_document.php b/htdocs/mrp/mo_document.php index 86aefd8a5d5..68e693ca072 100644 --- a/htdocs/mrp/mo_document.php +++ b/htdocs/mrp/mo_document.php @@ -42,11 +42,6 @@ $confirm = GETPOST('confirm'); $id = (GETPOST('socid', 'int') ? GETPOST('socid', 'int') : GETPOST('id', 'int')); $ref = GETPOST('ref', 'alpha'); -// Security check - Protection if external user -//if ($user->socid > 0) accessforbidden(); -//if ($user->socid > 0) $socid = $user->socid; -//$result = restrictedArea($user, 'mrp', $id); - // Get parameters $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST("sortfield", 'alpha'); @@ -75,6 +70,12 @@ include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be includ //if ($id > 0 || ! empty($ref)) $upload_dir = $conf->mrp->multidir_output[$object->entity?$object->entity:$conf->entity] . "/mo/" . dol_sanitizeFileName($object->id); if ($id > 0 || !empty($ref)) $upload_dir = $conf->mrp->multidir_output[$object->entity ? $object->entity : $conf->entity]."/mo/".dol_sanitizeFileName($object->ref); +// 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); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); + /* * Actions diff --git a/htdocs/mrp/mo_movements.php b/htdocs/mrp/mo_movements.php index 2ec9f603b84..f43ccd3dcd4 100644 --- a/htdocs/mrp/mo_movements.php +++ b/htdocs/mrp/mo_movements.php @@ -118,8 +118,8 @@ include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be includ // Security check - Protection if external user //if ($user->socid > 0) accessforbidden(); //if ($user->socid > 0) $socid = $user->socid; -//$isdraft = (($object->statut == $object::STATUS_DRAFT) ? 1 : 0); -//$result = restrictedArea($user, 'mrp', $object->id, '', '', 'fk_soc', 'rowid', $isdraft); +$isdraft = (($object->status == $object::STATUS_DRAFT) ? 1 : 0); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); $objectlist = new MouvementStock($db); diff --git a/htdocs/mrp/mo_note.php b/htdocs/mrp/mo_note.php index d8b72fc348c..7d0fe785c58 100644 --- a/htdocs/mrp/mo_note.php +++ b/htdocs/mrp/mo_note.php @@ -48,15 +48,16 @@ $hookmanager->initHooks(array('monote', 'globalcard')); // Note that conf->hooks // Fetch optionals attributes and labels $extrafields->fetch_name_optionals_label($object->table_element); -// Security check - Protection if external user -//if ($user->socid > 0) accessforbidden(); -//if ($user->socid > 0) $socid = $user->socid; -//$result = restrictedArea($user, 'mrp', $id); - // Load object include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be include, not include_once // Must be include, not include_once. Include fetch and fetch_thirdparty but not fetch_optionals if ($id > 0 || !empty($ref)) $upload_dir = $conf->mrp->multidir_output[$object->entity]."/".$object->id; +// 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); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); + $permissionnote = 1; //$permissionnote=$user->rights->mrp->creer; // Used by the include of actions_setnotes.inc.php diff --git a/htdocs/mrp/mo_production.php b/htdocs/mrp/mo_production.php index f44e4371f50..f191cb8e042 100644 --- a/htdocs/mrp/mo_production.php +++ b/htdocs/mrp/mo_production.php @@ -98,8 +98,8 @@ include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be includ // Security check - Protection if external user //if ($user->socid > 0) accessforbidden(); //if ($user->socid > 0) $socid = $user->socid; -//$isdraft = (($object->statut == $object::STATUS_DRAFT) ? 1 : 0); -//$result = restrictedArea($user, 'mrp', $object->id, '', '', 'fk_soc', 'rowid', $isdraft); +$isdraft = (($object->status == $object::STATUS_DRAFT) ? 1 : 0); +$result = restrictedArea($user, 'mrp', $object->id, 'mrp_mo', '', 'fk_soc', 'rowid', $isdraft); $permissionnote = $user->rights->mrp->write; // Used by the include of actions_setnotes.inc.php $permissiondellink = $user->rights->mrp->write; // Used by the include of actions_dellink.inc.php diff --git a/htdocs/projet/class/project.class.php b/htdocs/projet/class/project.class.php index 7389af9083c..72f83317fb3 100644 --- a/htdocs/projet/class/project.class.php +++ b/htdocs/projet/class/project.class.php @@ -1056,23 +1056,14 @@ class Project extends CommonObject $linkclose .= ' alt="'.dol_escape_htmltag($label, 1).'"'; } $linkclose .= ' title="'.dol_escape_htmltag($label, 1).'"'; - $linkclose .= ' class="classfortooltip"'; - - /* - $hookmanager->initHooks(array('projectdao')); - $parameters=array('id'=>$this->id); - // Note that $action and $object may have been modified by some hooks - $reshook=$hookmanager->executeHooks('getnomurltooltip',$parameters,$this,$action); - if ($reshook > 0) - $linkclose = $hookmanager->resPrint; - */ + $linkclose .= ' class="classfortooltip'.($morecss ? ' '.$morecss : '').'"'; } + else $linkclose = ($morecss ? ' class="'.$morecss.'"' : ''); $picto = 'projectpub'; if (!$this->public) $picto = 'project'; $linkstart = ''; $linkend = ''; diff --git a/htdocs/projet/index.php b/htdocs/projet/index.php index a3bf3be14a6..863d2c348e9 100644 --- a/htdocs/projet/index.php +++ b/htdocs/projet/index.php @@ -378,7 +378,7 @@ print ''; if (empty($conf->global->PROJECT_HIDE_PROJECT_LIST_ON_PROJECT_AREA)) { // This list can be very long, so we allow to hide it to prefer to use the list page. - // Add constant PROJECT_HIDE_PROJECT_LIST_ON_PROJECT_AREA to show this list + // Add constant PROJECT_HIDE_PROJECT_LIST_ON_PROJECT_AREA to hide this list print '
'; diff --git a/htdocs/projet/tasks/time.php b/htdocs/projet/tasks/time.php index 6c482264bbf..8c0c38cc0d9 100644 --- a/htdocs/projet/tasks/time.php +++ b/htdocs/projet/tasks/time.php @@ -203,11 +203,11 @@ if ($action == 'addtimespent' && $user->rights->projet->lire) } } -if (($action == 'updateline' || $action == 'updatesplitline') && !$_POST["cancel"] && $user->rights->projet->lire) +if (($action == 'updateline' || $action == 'updatesplitline') && !$cancel && $user->rights->projet->lire) { $error = 0; - if (empty($_POST["new_durationhour"]) && empty($_POST["new_durationmin"])) + if (!GETPOST("new_durationhour") && !GETPOST("new_durationmin")) { setEventMessages($langs->trans('ErrorFieldRequired', $langs->transnoentitiesnoconv("Duration")), null, 'errors'); $error++; @@ -215,9 +215,9 @@ if (($action == 'updateline' || $action == 'updatesplitline') && !$_POST["cancel if (!$error) { - if ($_POST['taskid'] != $id) + if (GETPOST('taskid', 'int') != $id) // GETPOST('taskid') is id of new task { - $id = $_POST['taskid']; + $id = GETPOST('taskid', 'int'); $object->fetchTimeSpent(GETPOST('lineid', 'int')); // TODO Check that ($task_time->fk_user == $user->id || in_array($task_time->fk_user, $childids)) @@ -1305,6 +1305,8 @@ if (($id > 0 || !empty($ref)) || $projectidforalltimes > 0) print ''; if (!$i) $totalarray['nbfield']++; } + } else { + print ''; } // Task label diff --git a/htdocs/ticket/list.php b/htdocs/ticket/list.php index b920d10aed5..01bfb0200a2 100644 --- a/htdocs/ticket/list.php +++ b/htdocs/ticket/list.php @@ -65,7 +65,7 @@ $limit = GETPOST('limit', 'int') ?GETPOST('limit', 'int') : $conf->liste_limit; $sortfield = GETPOST('sortfield', 'alpha'); $sortorder = GETPOST('sortorder', 'alpha'); $page = GETPOSTISSET('pageplusone') ? (GETPOST('pageplusone') - 1) : GETPOST("page", 'int'); -if (empty($page) || $page == -1 || GETPOST('button_search', 'alpha') || GETPOST('button_removefilter', 'alpha') || (empty($toselect) && $massaction === '0')) { $page = 0; } // If $page is not defined, or '' or -1 or if we click on clear filters or if we select empty mass action +if (empty($page) || $page < 0 || GETPOST('button_search', 'alpha') || GETPOST('button_removefilter', 'alpha')) { $page = 0; } // If $page is not defined, or '' or -1 or if we click on clear filters $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; diff --git a/htdocs/website/index.php b/htdocs/website/index.php index 918a9fc8bdf..a4b42bfdf9b 100644 --- a/htdocs/website/index.php +++ b/htdocs/website/index.php @@ -2756,7 +2756,10 @@ if (!GETPOST('hide_websitemenu')) { $url = 'https://wiki.dolibarr.org/index.php/Module_Website'; - $htmltext = $langs->transnoentitiesnoconv("YouCanEditHtmlSource", $url).'
'; + $htmltext = $langs->transnoentitiesnoconv("YouCanEditHtmlSource", $url); + $htmltext .= $langs->transnoentitiesnoconv("YouCanEditHtmlSource2", $url); + $htmltext .= $langs->transnoentitiesnoconv("YouCanEditHtmlSourceMore", $url); + $htmltext .= '
'; if ($conf->browser->layout == 'phone') { print $form->textwithpicto('', $htmltext, 1, 'help', 'inline-block', 1, 2, 'tooltipsubstitution');