diff --git a/ChangeLog b/ChangeLog index c35ca9ba9b1..a8628cbd097 100644 --- a/ChangeLog +++ b/ChangeLog @@ -250,6 +250,7 @@ Following changes may create regressions for some external modules, but were nec * Function showStripePaymentUrl, getStripePaymentUrl, showPaypalPaymentUrl and getPaypalPaymentUrl has been removed. The generic one showOnlinePaymentUrl and getOnlinePaymentUrl are always used. * Context for hook showSocinfoOnPrint has been moved from "showsocinfoonprint" to "main" * Library htdocs/includes/phpoffice/phpexcel as been removed (replaced with htdocs/includes/phpoffice/PhpSpreadsheet) +* Databse transaction in your triggers must be correctly balanced (one close for one open). If not, an error will be returned by the trigger, even if trigger did return error code. ***** ChangeLog for 12.0.4 compared to 12.0.3 ***** diff --git a/htdocs/accountancy/bookkeeping/listbysubaccount.php b/htdocs/accountancy/bookkeeping/listbysubaccount.php index 04b59fc7816..b7ef25fd821 100644 --- a/htdocs/accountancy/bookkeeping/listbysubaccount.php +++ b/htdocs/accountancy/bookkeeping/listbysubaccount.php @@ -695,14 +695,15 @@ while ($i < min($num, $limit)) { print ''; // Piece number - if (!empty($arrayfields['t.piece_num']['checked'])) - { + if (!empty($arrayfields['t.piece_num']['checked'])) { print ''; $object->id = $line->id; $object->piece_num = $line->piece_num; print $object->getNomUrl(1, '', 0, '', 1); print ''; - if (!$i) $totalarray['nbfield']++; + if (!$i) { + $totalarray['nbfield']++; + } } // Journal code diff --git a/htdocs/admin/accountant.php b/htdocs/admin/accountant.php index 8f20ab43c84..a0dbe4e9838 100644 --- a/htdocs/admin/accountant.php +++ b/htdocs/admin/accountant.php @@ -66,6 +66,7 @@ if (($action == 'update' && !GETPOST("cancel", 'alpha')) if ($action != 'updateedit' && !$error) { + setEventMessages($langs->trans("SetupSaved"), null, 'mesgs'); header("Location: ".$_SERVER["PHP_SELF"]); exit; } diff --git a/htdocs/admin/company.php b/htdocs/admin/company.php index bb4f142cc2a..9d715f92301 100644 --- a/htdocs/admin/company.php +++ b/htdocs/admin/company.php @@ -236,6 +236,7 @@ if (($action == 'update' && !GETPOST("cancel", 'alpha')) if (!$error) { + setEventMessages($langs->trans("SetupSaved"), null, 'mesgs'); $db->commit(); } else { $db->rollback(); diff --git a/htdocs/admin/dav.php b/htdocs/admin/dav.php index 8f005c0f0d7..4008a3cd7be 100644 --- a/htdocs/admin/dav.php +++ b/htdocs/admin/dav.php @@ -172,13 +172,13 @@ $urlwithroot = $urlwithouturlroot.DOL_URL_ROOT; // This is to use external domai // Show message $message = ''; $url = ''.$urlwithroot.'/dav/fileserver.php'; -$message .= img_picto('', 'globe').' '.$langs->trans("WebDavServer", 'WebDAV', $url); +$message .= img_picto('', 'globe').' '.str_replace('{url}', $url, $langs->trans("WebDavServer", 'WebDAV', '{url}')); $message .= '
'; if (!empty($conf->global->DAV_ALLOW_PUBLIC_DIR)) { $urlEntity = (!empty($conf->multicompany->enabled) ? '?entity='.$conf->entity : ''); $url = ''.$urlwithroot.'/dav/fileserver.php/public/'.$urlEntity.''; - $message .= img_picto('', 'globe').' '.$langs->trans("WebDavServer", 'WebDAV public', $url); + $message .= img_picto('', 'globe').' '.str_replace('{url}', $url, $langs->trans("WebDavServer", 'WebDAV public', '{url}')); $message .= '
'; } print $message; diff --git a/htdocs/admin/openinghours.php b/htdocs/admin/openinghours.php index d50be27e97b..ec805f33281 100644 --- a/htdocs/admin/openinghours.php +++ b/htdocs/admin/openinghours.php @@ -57,6 +57,7 @@ if (($action == 'update' && !GETPOST("cancel", 'alpha')) if ($action != 'updateedit' && !$error) { + setEventMessages($langs->trans("SetupSaved"), null, 'mesgs'); header("Location: ".$_SERVER["PHP_SELF"]); exit; } diff --git a/htdocs/compta/prelevement/card.php b/htdocs/compta/prelevement/card.php index 5d87303236a..90d5e1e8fe6 100644 --- a/htdocs/compta/prelevement/card.php +++ b/htdocs/compta/prelevement/card.php @@ -2,7 +2,7 @@ /* Copyright (C) 2005 Rodolphe Quiedeville * Copyright (C) 2005-2010 Laurent Destailleur * Copyright (C) 2010-2016 Juanjo Menent - * Copyright (C) 2018 Frédéric France + * Copyright (C) 2018-2021 Frédéric France * * 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 @@ -354,8 +354,8 @@ if ($id > 0 || $ref) { $result = $db->query($sql); $nbtotalofrecords = $db->num_rows($result); - if (($page * $limit) > $nbtotalofrecords) // if total resultset is smaller then paging size (filtering), goto and load page 0 - { + if (($page * $limit) > $nbtotalofrecords) { + // if total resultset is smaller then paging size (filtering), goto and load page 0 $page = 0; $offset = 0; } @@ -445,15 +445,14 @@ if ($id > 0 || $ref) $i++; } - if ($num > 0) - { + if ($num > 0) { print ''; print ''.$langs->trans("Total").''; print ' '; print ''; - if (empty($offset) && $num <= $limit) // If we have all record on same page, then the following test/warning can be done - { - if ($total != $object->amount) print img_warning("TotalAmountOfdirectDebitOrderDiffersFromSumOfLines"); + if (empty($offset) && $num <= $limit) { + // If we have all record on same page, then the following test/warning can be done + if ($total != $object->amount) print img_warning($langs->trans("TotalAmountOfdirectDebitOrderDiffersFromSumOfLines")); } print price($total); print "\n"; diff --git a/htdocs/compta/prelevement/create.php b/htdocs/compta/prelevement/create.php index 26b91a1e100..db751735bb0 100644 --- a/htdocs/compta/prelevement/create.php +++ b/htdocs/compta/prelevement/create.php @@ -66,18 +66,14 @@ $parameters = array('mode' => $mode, 'format' => $format, 'limit' => $limit, 'pa $reshook = $hookmanager->executeHooks('doActions', $parameters, $object, $action); // Note that $action and $object may have been modified by some hooks if ($reshook < 0) setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); -if (empty($reshook)) -{ +if (empty($reshook)) { // Change customer bank information to withdraw - if ($action == 'modify') - { - for ($i = 1; $i < 9; $i++) - { + if ($action == 'modify') { + for ($i = 1; $i < 9; $i++) { dolibarr_set_const($db, GETPOST("nom$i"), GETPOST("value$i"), 'chaine', 0, '', $conf->entity); } } - if ($action == 'create') - { + if ($action == 'create') { $default_account=($type == 'bank-transfer' ? 'PAYMENTBYBANKTRANSFER_ID_BANKACCOUNT' : 'PRELEVEMENT_ID_BANKACCOUNT'); if ($id_bankaccount != $conf->global->{$default_account}){ @@ -88,7 +84,8 @@ if (empty($reshook)) $bank = new Account($db); $bank->fetch($conf->global->{$default_account}); if (empty($bank->ics) || empty($bank->ics_transfer)){ - setEventMessages($langs->trans("ErrorICSmissing", $bank->getNomUrl(1)), null, 'errors'); + $errormessage = str_replace('{url}', $bank->getNomUrl(1), $langs->trans("ErrorICSmissing", '{url}')); + setEventMessages($errormessage, null, 'errors'); header("Location: ".DOL_URL_ROOT.'/compta/prelevement/create.php'); exit; } @@ -111,8 +108,7 @@ if (empty($reshook)) $mesg = $langs->trans("NoInvoiceCouldBeWithdrawed", $format); setEventMessages($mesg, null, 'errors'); $mesg .= '
'."\n"; - foreach ($bprev->invoice_in_error as $key => $val) - { + foreach ($bprev->invoice_in_error as $key => $val) { $mesg .= ''.$val."
\n"; } } else { @@ -145,8 +141,7 @@ $bprev = new BonPrelevement($db); llxHeader('', $langs->trans("NewStandingOrder")); -if (prelevement_check_config($type) < 0) -{ +if (prelevement_check_config($type) < 0) { $langs->load("errors"); setEventMessages($langs->trans("ErrorModuleSetupNotComplete", $langs->transnoentitiesnoconv("Withdraw")), null, 'errors'); } @@ -237,8 +232,7 @@ if ($nb) { print ''.$title."\n"; } } else { - if ($mysoc->isInEEC()) - { + if ($mysoc->isInEEC()) { $title = $langs->trans("CreateForSepaFRST"); if ($type == 'bank-transfer') { $title = $langs->trans("CreateSepaFileForPaymentByBankTransfer"); @@ -289,8 +283,7 @@ $sql .= " ".MAIN_DB_PREFIX."societe as s,"; $sql .= " ".MAIN_DB_PREFIX."prelevement_facture_demande as pfd"; $sql .= " WHERE s.rowid = f.fk_soc"; $sql .= " AND f.entity IN (".getEntity('invoice').")"; -if (empty($conf->global->WITHDRAWAL_ALLOW_ANY_INVOICE_STATUS)) -{ +if (empty($conf->global->WITHDRAWAL_ALLOW_ANY_INVOICE_STATUS)) { $sql .= " AND f.fk_statut = ".Facture::STATUS_VALIDATED; } //$sql .= " AND pfd.amount > 0"; @@ -305,12 +298,11 @@ if ($type == 'bank-transfer') { if ($socid > 0) $sql .= " AND f.fk_soc = ".$socid; $nbtotalofrecords = ''; -if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) -{ +if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { $result = $db->query($sql); $nbtotalofrecords = $db->num_rows($result); - if (($page * $limit) > $nbtotalofrecords) // if total resultset is smaller then paging size (filtering), goto and load page 0 - { + if (($page * $limit) > $nbtotalofrecords) { + // if total resultset is smaller then paging size (filtering), goto and load page 0 $page = 0; $offset = 0; } @@ -399,7 +391,7 @@ if ($resql) if ($format) print ' ('.$format.')'; } } else { - print img_warning($langs->trans("NoBankAccount")); + print img_warning($langs->trans("NoBankAccountDefined")); } print ''; // Amount diff --git a/htdocs/contact/list.php b/htdocs/contact/list.php index 8d6b11e19f0..c33867fed7f 100644 --- a/htdocs/contact/list.php +++ b/htdocs/contact/list.php @@ -933,31 +933,31 @@ while ($i < min($num, $limit)) // Phone if (!empty($arrayfields['p.phone']['checked'])) { - print ''.dol_print_phone($obj->phone_pro, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL').''; + print ''.dol_print_phone($obj->phone_pro, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL', ' ', 'phone').''; if (!$i) $totalarray['nbfield']++; } // Phone perso if (!empty($arrayfields['p.phone_perso']['checked'])) { - print ''.dol_print_phone($obj->phone_perso, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL').''; + print ''.dol_print_phone($obj->phone_perso, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL', ' ', 'phone').''; if (!$i) $totalarray['nbfield']++; } // Phone mobile if (!empty($arrayfields['p.phone_mobile']['checked'])) { - print ''.dol_print_phone($obj->phone_mobile, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL').''; + print ''.dol_print_phone($obj->phone_mobile, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL', ' ', 'mobile').''; if (!$i) $totalarray['nbfield']++; } // Fax if (!empty($arrayfields['p.fax']['checked'])) { - print ''.dol_print_phone($obj->fax, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL').''; + print ''.dol_print_phone($obj->fax, $obj->country_code, $obj->rowid, $obj->socid, 'AC_TEL', ' ', 'fax').''; if (!$i) $totalarray['nbfield']++; } // EMail if (!empty($arrayfields['p.email']['checked'])) { - print ''.dol_print_email($obj->email, $obj->rowid, $obj->socid, 'AC_EMAIL', 18).''; + print ''.dol_print_email($obj->email, $obj->rowid, $obj->socid, 'AC_EMAIL', 18, 0, 1).''; if (!$i) $totalarray['nbfield']++; } // No EMail diff --git a/htdocs/core/boxes/box_dolibarr_state_board.php b/htdocs/core/boxes/box_dolibarr_state_board.php new file mode 100644 index 00000000000..a8e00eef5eb --- /dev/null +++ b/htdocs/core/boxes/box_dolibarr_state_board.php @@ -0,0 +1,333 @@ + + * Copyright (C) 2004-2010 Laurent Destailleur + * Copyright (C) 2005-2009 Regis Houssin + * Copyright (C) 2015 Frederic France + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +/** + * \file htdocs/core/boxes/box_dolibarr_state_board.php + * \ingroup + * \brief Module Dolibarr state base + */ + +include_once DOL_DOCUMENT_ROOT . '/core/boxes/modules_boxes.php'; +include_once DOL_DOCUMENT_ROOT . '/core/class/hookmanager.class.php'; + + +/** + * Class to manage the box to show last thirdparties + */ +class box_dolibarr_state_board extends ModeleBoxes +{ + public $boxcode = "dolibarrstatebox"; + public $boximg = "box_user"; + public $boxlabel = "BoxDolibarrStateBoard"; + public $depends = array("user"); + + /** + * @var DoliDB Database handler. + */ + public $db; + + public $enabled = 1; + + public $info_box_head = array(); + public $info_box_contents = array(); + + + /** + * Constructor + * + * @param DoliDB $db Database handler + * @param string $param More parameters + */ + public function __construct($db, $param = '') + { + global $conf, $user; + + $this->db = $db; + + // disable box for such cases + if (!empty($conf->global->SOCIETE_DISABLE_CUSTOMERS)) $this->enabled = 0; // disabled by this option + + $this->hidden = !($user->rights->societe->lire && empty($user->socid)); + } + + /** + * Load data for box to show them later + * + * @param int $max Maximum number of records to load + * @return void + */ + public function loadBox($max = 5) + { + global $user, $langs, $conf; + $langs->load("boxes"); + + $this->max = $max; + $this->info_box_head = array('text' => $langs->trans("DolibarrStateBoard")); + + if (empty($user->socid) && empty($conf->global->MAIN_DISABLE_GLOBAL_BOXSTATS)) + { + $hookmanager = new HookManager($this->db); + $hookmanager->initHooks(array('index')); + $boxstatItems = array(); + $boxstatFromHook = ''; + $boxstatFromHook = $hookmanager->resPrint; + $boxstat = ''; + + $keys = array( + 'users', + 'members', + 'expensereports', + 'holidays', + 'customers', + 'prospects', + 'suppliers', + 'contacts', + 'products', + 'services', + 'projects', + 'proposals', + 'orders', + 'invoices', + 'donations', + 'supplier_proposals', + 'supplier_orders', + 'supplier_invoices', + 'contracts', + 'interventions', + 'ticket' + ); + $conditions = array( + 'users' => $user->rights->user->user->lire, + 'members' => !empty($conf->adherent->enabled) && $user->rights->adherent->lire, + 'customers' => !empty($conf->societe->enabled) && $user->rights->societe->lire && empty($conf->global->SOCIETE_DISABLE_CUSTOMERS) && empty($conf->global->SOCIETE_DISABLE_CUSTOMERS_STATS), + 'prospects' => !empty($conf->societe->enabled) && $user->rights->societe->lire && empty($conf->global->SOCIETE_DISABLE_PROSPECTS) && empty($conf->global->SOCIETE_DISABLE_PROSPECTS_STATS), + 'suppliers' => !empty($conf->fournisseur->enabled) && $user->rights->fournisseur->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_STATS), + 'contacts' => !empty($conf->societe->enabled) && $user->rights->societe->contact->lire, + 'products' => !empty($conf->product->enabled) && $user->rights->produit->lire, + 'services' => !empty($conf->service->enabled) && $user->rights->service->lire, + 'proposals' => !empty($conf->propal->enabled) && $user->rights->propale->lire, + 'orders' => !empty($conf->commande->enabled) && $user->rights->commande->lire, + 'invoices' => !empty($conf->facture->enabled) && $user->rights->facture->lire, + 'donations' => !empty($conf->don->enabled) && $user->rights->don->lire, + 'contracts' => !empty($conf->contrat->enabled) && $user->rights->contrat->lire, + 'interventions' => !empty($conf->ficheinter->enabled) && $user->rights->ficheinter->lire, + 'supplier_orders' => !empty($conf->supplier_order->enabled) && $user->rights->fournisseur->commande->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_ORDERS_STATS), + 'supplier_invoices' => !empty($conf->supplier_invoice->enabled) && $user->rights->fournisseur->facture->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_INVOICES_STATS), + 'supplier_proposals' => !empty($conf->supplier_proposal->enabled) && $user->rights->supplier_proposal->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_PROPOSAL_STATS), + 'projects' => !empty($conf->projet->enabled) && $user->rights->projet->lire, + 'expensereports' => !empty($conf->expensereport->enabled) && $user->rights->expensereport->lire, + 'holidays' => !empty($conf->holiday->enabled) && $user->rights->holiday->read, + 'ticket' => !empty($conf->ticket->enabled) && $user->rights->ticket->read + ); + $classes = array( + 'users' => 'User', + 'members' => 'Adherent', + 'customers' => 'Client', + 'prospects' => 'Client', + 'suppliers' => 'Fournisseur', + 'contacts' => 'Contact', + 'products' => 'Product', + 'services' => 'ProductService', + 'proposals' => 'Propal', + 'orders' => 'Commande', + 'invoices' => 'Facture', + 'donations' => 'Don', + 'contracts' => 'Contrat', + 'interventions' => 'Fichinter', + 'supplier_orders' => 'CommandeFournisseur', + 'supplier_invoices' => 'FactureFournisseur', + 'supplier_proposals' => 'SupplierProposal', + 'projects' => 'Project', + 'expensereports' => 'ExpenseReport', + 'holidays' => 'Holiday', + 'ticket' => 'Ticket', + ); + $includes = array( + 'users' => DOL_DOCUMENT_ROOT . "/user/class/user.class.php", + 'members' => DOL_DOCUMENT_ROOT . "/adherents/class/adherent.class.php", + 'customers' => DOL_DOCUMENT_ROOT . "/societe/class/client.class.php", + 'prospects' => DOL_DOCUMENT_ROOT . "/societe/class/client.class.php", + 'suppliers' => DOL_DOCUMENT_ROOT . "/fourn/class/fournisseur.class.php", + 'contacts' => DOL_DOCUMENT_ROOT . "/contact/class/contact.class.php", + 'products' => DOL_DOCUMENT_ROOT . "/product/class/product.class.php", + 'services' => DOL_DOCUMENT_ROOT . "/product/class/product.class.php", + 'proposals' => DOL_DOCUMENT_ROOT . "/comm/propal/class/propal.class.php", + 'orders' => DOL_DOCUMENT_ROOT . "/commande/class/commande.class.php", + 'invoices' => DOL_DOCUMENT_ROOT . "/compta/facture/class/facture.class.php", + 'donations' => DOL_DOCUMENT_ROOT . "/don/class/don.class.php", + 'contracts' => DOL_DOCUMENT_ROOT . "/contrat/class/contrat.class.php", + 'interventions' => DOL_DOCUMENT_ROOT . "/fichinter/class/fichinter.class.php", + 'supplier_orders' => DOL_DOCUMENT_ROOT . "/fourn/class/fournisseur.commande.class.php", + 'supplier_invoices' => DOL_DOCUMENT_ROOT . "/fourn/class/fournisseur.facture.class.php", + 'supplier_proposals' => DOL_DOCUMENT_ROOT . "/supplier_proposal/class/supplier_proposal.class.php", + 'projects' => DOL_DOCUMENT_ROOT . "/projet/class/project.class.php", + 'expensereports' => DOL_DOCUMENT_ROOT . "/expensereport/class/expensereport.class.php", + 'holidays' => DOL_DOCUMENT_ROOT . "/holiday/class/holiday.class.php", + 'ticket' => DOL_DOCUMENT_ROOT . "/ticket/class/ticket.class.php" + ); + $links = array( + 'users' => DOL_URL_ROOT . '/user/list.php', + 'members' => DOL_URL_ROOT . '/adherents/list.php?statut=1&mainmenu=members', + 'customers' => DOL_URL_ROOT . '/societe/list.php?type=c&mainmenu=companies', + 'prospects' => DOL_URL_ROOT . '/societe/list.php?type=p&mainmenu=companies', + 'suppliers' => DOL_URL_ROOT . '/societe/list.php?type=f&mainmenu=companies', + 'contacts' => DOL_URL_ROOT . '/contact/list.php?mainmenu=companies', + 'products' => DOL_URL_ROOT . '/product/list.php?type=0&mainmenu=products', + 'services' => DOL_URL_ROOT . '/product/list.php?type=1&mainmenu=products', + 'proposals' => DOL_URL_ROOT . '/comm/propal/list.php?mainmenu=commercial&leftmenu=propals', + 'orders' => DOL_URL_ROOT . '/commande/list.php?mainmenu=commercial&leftmenu=orders', + 'invoices' => DOL_URL_ROOT . '/compta/facture/list.php?mainmenu=billing&leftmenu=customers_bills', + 'donations' => DOL_URL_ROOT . '/don/list.php?leftmenu=donations', + 'contracts' => DOL_URL_ROOT . '/contrat/list.php?mainmenu=commercial&leftmenu=contracts', + 'interventions' => DOL_URL_ROOT . '/fichinter/list.php?mainmenu=commercial&leftmenu=ficheinter', + 'supplier_orders' => DOL_URL_ROOT . '/fourn/commande/list.php?mainmenu=commercial&leftmenu=orders_suppliers', + 'supplier_invoices' => DOL_URL_ROOT . '/fourn/facture/list.php?mainmenu=billing&leftmenu=suppliers_bills', + 'supplier_proposals' => DOL_URL_ROOT . '/supplier_proposal/list.php?mainmenu=commercial&leftmenu=', + 'projects' => DOL_URL_ROOT . '/projet/list.php?mainmenu=project', + 'expensereports' => DOL_URL_ROOT . '/expensereport/list.php?mainmenu=hrm&leftmenu=expensereport', + 'holidays' => DOL_URL_ROOT . '/holiday/list.php?mainmenu=hrm&leftmenu=holiday', + 'ticket' => DOL_URL_ROOT . '/ticket/list.php?leftmenu=ticket' + ); + $titres = array( + 'users' => "Users", + 'members' => "Members", + 'customers' => "ThirdPartyCustomersStats", + 'prospects' => "ThirdPartyProspectsStats", + 'suppliers' => "Suppliers", + 'contacts' => "Contacts", + 'products' => "Products", + 'services' => "Services", + 'proposals' => "CommercialProposalsShort", + 'orders' => "CustomersOrders", + 'invoices' => "BillsCustomers", + 'donations' => "Donations", + 'contracts' => "Contracts", + 'interventions' => "Interventions", + 'supplier_orders' => "SuppliersOrders", + 'supplier_invoices' => "SuppliersInvoices", + 'supplier_proposals' => "SupplierProposalShort", + 'projects' => "Projects", + 'expensereports' => "ExpenseReports", + 'holidays' => "Holidays", + 'ticket' => "Ticket", + ); + $langfile = array( + 'customers' => "companies", + 'contacts' => "companies", + 'services' => "products", + 'proposals' => "propal", + 'invoices' => "bills", + 'supplier_orders' => "orders", + 'supplier_invoices' => "bills", + 'supplier_proposals' => 'supplier_proposal', + 'expensereports' => "trips", + 'holidays' => "holiday", + ); + $boardloaded = array(); + + foreach ($keys as $val) + { + if ($conditions[$val]) + { + $boxstatItem = ''; + $class = $classes[$val]; + // Search in cache if load_state_board is already realized + $classkeyforcache = $class; + if ($classkeyforcache == 'ProductService') $classkeyforcache = 'Product'; // ProductService use same load_state_board than Product + + if (!isset($boardloaded[$classkeyforcache]) || !is_object($boardloaded[$classkeyforcache])) + { + include_once $includes[$val]; // Loading a class cost around 1Mb + + $board = new $class($this->db); + $board->load_state_board(); + $boardloaded[$class] = $board; + } else { + $board = $boardloaded[$classkeyforcache]; + } + + $langs->load(empty($langfile[$val]) ? $val : $langfile[$val]); + + $text = $langs->trans($titres[$val]); + $boxstatItem .= ''; + $boxstatItem .= '
'; + $boxstatItem .= '' . $text . '
'; + $boxstatItem .= '' . img_object("", $board->picto, 'class="inline-block"') . ' ' . ($board->nb[$val] ? $board->nb[$val] : 0) . ''; + $boxstatItem .= '
'; + $boxstatItem .= '
'; + + $boxstatItems[$val] = $boxstatItem; + } + } + + if (!empty($boxstatFromHook) || !empty($boxstatItems)) + { + $boxstat .= $boxstatFromHook; + + if (is_array($boxstatItems) && count($boxstatItems) > 0) + { + $boxstat .= implode('', $boxstatItems); + } + + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + $boxstat .= '
'; + + $boxstat .= ''; + $boxstat .= ''; + + $this->info_box_contents[0][0] = array( + 'td' => '', + 'textnoformat' => $boxstat + ); + } else { + $this->info_box_contents[0][0] = array( + 'td' => 'class="nohover center"', + 'maxlength' => 500, + 'text' => ($this->db->error() . ' sql=' . $sql) + ); + } + } else { + $this->info_box_contents[0][0] = array( + 'td' => '', + 'text' => $langs->trans("ReadPermissionNotAllowed") + ); + } + } + + + /** + * Method to show box + * + * @param array $head Array with properties of box title + * @param array $contents Array with properties of box lines + * @param int $nooutput No print, only return string + * @return string + */ + public function showBox($head = null, $contents = null, $nooutput = 0) + { + return parent::showBox($this->info_box_head, $this->info_box_contents, $nooutput); + } +} diff --git a/htdocs/core/class/commonobject.class.php b/htdocs/core/class/commonobject.class.php index 1462fa327eb..6d4d5a1444a 100644 --- a/htdocs/core/class/commonobject.class.php +++ b/htdocs/core/class/commonobject.class.php @@ -3672,7 +3672,9 @@ abstract class CommonObject */ static public function getAllItemsLinkedByObjectID($fk_object_where, $field_select, $field_where, $table_element) { - if (empty($fk_object_where) || empty($field_where) || empty($table_element)) return -1; + if (empty($fk_object_where) || empty($field_where) || empty($table_element)) { + return -1; + } global $db; @@ -3699,14 +3701,18 @@ abstract class CommonObject */ static public function deleteAllItemsLinkedByObjectID($fk_object_where, $field_where, $table_element) { - if (empty($fk_object_where) || empty($field_where) || empty($table_element)) return -1; + if (empty($fk_object_where) || empty($field_where) || empty($table_element)) { + return -1; + } global $db; $sql = 'DELETE FROM '.MAIN_DB_PREFIX.$table_element.' WHERE '.$field_where.' = '.$fk_object_where; $resql = $db->query($sql); - if (empty($resql)) return 0; + if (empty($resql)) { + return 0; + } return 1; } diff --git a/htdocs/core/class/dolreceiptprinter.class.php b/htdocs/core/class/dolreceiptprinter.class.php index e075005b437..4dfca1186c0 100644 --- a/htdocs/core/class/dolreceiptprinter.class.php +++ b/htdocs/core/class/dolreceiptprinter.class.php @@ -634,13 +634,13 @@ class dolReceiptPrinter extends Printer if ($line->fk_product) { $spacestoadd = $nbcharactbyline - strlen($line->ref) - strlen($line->qty) - 10 - 1; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($line->ref.$spaces.$line->qty.' '.str_pad(price($line->total_ttc), 10, ' ', STR_PAD_LEFT)."\n"); $this->printer->text(strip_tags(htmlspecialchars_decode($line->product_label))."\n"); } else { $spacestoadd = $nbcharactbyline - strlen($line->description) - strlen($line->qty) - 10 - 1; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($line->description.$spaces.$line->qty.' '.str_pad(price($line->total_ttc), 10, ' ', STR_PAD_LEFT)."\n"); } } @@ -653,7 +653,7 @@ class dolReceiptPrinter extends Printer } foreach ($vatarray as $vatkey => $vatvalue) { $spacestoadd = $nbcharactbyline - strlen($vatkey) - 12; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($spaces.$vatkey.'% '.str_pad(price($vatvalue), 10, ' ', STR_PAD_LEFT)."\n"); } break; @@ -680,15 +680,15 @@ class dolReceiptPrinter extends Printer case 'DOL_PRINT_OBJECT_TOTAL': $title = $langs->trans('TotalHT'); $spacestoadd = $nbcharactbyline - strlen($title) - 10; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($title.$spaces.str_pad(price($object->total_ht), 10, ' ', STR_PAD_LEFT)."\n"); $title = $langs->trans('TotalVAT'); $spacestoadd = $nbcharactbyline - strlen($title) - 10; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($title.$spaces.str_pad(price($object->total_tva), 10, ' ', STR_PAD_LEFT)."\n"); $title = $langs->trans('TotalTTC'); $spacestoadd = $nbcharactbyline - strlen($title) - 10; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($title.$spaces.str_pad(price($object->total_ttc), 10, ' ', STR_PAD_LEFT)."\n"); break; case 'DOL_LINE_FEED': @@ -778,7 +778,7 @@ class dolReceiptPrinter extends Printer if ($line->special_code == $this->orderprinter) { $spacestoadd = $nbcharactbyline - strlen($line->ref) - strlen($line->qty) - 10 - 1; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($line->ref.$spaces.$line->qty.' '.str_pad(price($line->total_ttc), 10, ' ', STR_PAD_LEFT)."\n"); $this->printer->text(strip_tags(htmlspecialchars_decode($line->desc))."\n"); } @@ -799,14 +799,14 @@ class dolReceiptPrinter extends Printer while ($i < $num) { $row = $this->db->fetch_object($resql); $spacestoadd = $nbcharactbyline - strlen($langs->transnoentitiesnoconv("PaymentTypeShort".$row->code)) - 12; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $amount_payment = (!empty($conf->multicurrency->enabled) && $object->multicurrency_tx != 1) ? $row->multicurrency_amount : $row->amount; if ($row->code == "LIQ") $amount_payment = $amount_payment + $row->pos_change; // Show amount with excess received if is cash payment $this->printer->text($spaces.$langs->transnoentitiesnoconv("PaymentTypeShort".$row->code).' '.str_pad(price($amount_payment), 10, ' ', STR_PAD_LEFT)."\n"); if ($row->code == "LIQ" && $row->pos_change > 0) // Print change only in cash payments { $spacestoadd = $nbcharactbyline - strlen($langs->trans("Change")) - 12; - $spaces = str_repeat(' ', $spacestoadd); + $spaces = str_repeat(' ', $spacestoadd > 0 ? $spacestoadd : 0); $this->printer->text($spaces.$langs->trans("Change").' '.str_pad(price($row->pos_change), 10, ' ', STR_PAD_LEFT)."\n"); } $i++; diff --git a/htdocs/core/class/html.formfile.class.php b/htdocs/core/class/html.formfile.class.php index f523e2a40a2..49af02075b4 100644 --- a/htdocs/core/class/html.formfile.class.php +++ b/htdocs/core/class/html.formfile.class.php @@ -1066,7 +1066,8 @@ class FormFile if ($disablecrop == -1) { $disablecrop = 1; - if (in_array($modulepart, array('bank', 'bom', 'expensereport', 'holiday', 'medias', 'member', 'mrp', 'project', 'product', 'produit', 'propal', 'service', 'societe', 'tax', 'tax-vat', 'ticket', 'user'))) $disablecrop = 0; + // Values here must be supported by the photo_resize.php page. + if (in_array($modulepart, array('bank', 'bom', 'expensereport', 'facture', 'facture_fournisseur', 'holiday', 'medias', 'member', 'mrp', 'project', 'product', 'produit', 'propal', 'service', 'societe', 'tax', 'tax-vat', 'ticket', 'user'))) $disablecrop = 0; } // Define relative path used to store the file diff --git a/htdocs/core/class/html.formmail.class.php b/htdocs/core/class/html.formmail.class.php index 6c052a3999c..82d1f4e180f 100644 --- a/htdocs/core/class/html.formmail.class.php +++ b/htdocs/core/class/html.formmail.class.php @@ -1516,9 +1516,15 @@ class FormMail extends Form //,'__PERSONALIZED__' => 'Personalized' // Hidden because not used yet in mass emailing $onlinepaymentenabled = 0; - if (!empty($conf->paypal->enabled)) $onlinepaymentenabled++; - if (!empty($conf->paybox->enabled)) $onlinepaymentenabled++; - if (!empty($conf->stripe->enabled)) $onlinepaymentenabled++; + if (!empty($conf->paypal->enabled)) { + $onlinepaymentenabled++; + } + if (!empty($conf->paybox->enabled)) { + $onlinepaymentenabled++; + } + if (!empty($conf->stripe->enabled)) { + $onlinepaymentenabled++; + } if ($onlinepaymentenabled && !empty($conf->global->PAYMENT_SECURITY_TOKEN)) { $tmparray['__SECUREKEYPAYMENT__'] = $conf->global->PAYMENT_SECURITY_TOKEN; if (!empty($conf->global->PAYMENT_SECURITY_TOKEN_UNIQUE)) { diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 6a549c6e95b..ab8b2f6e089 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -4863,7 +4863,7 @@ function price2num($amount, $rounding = '', $option = 0) if ($option != 1) { // If not a PHP number or unknown, we change or clean format //print 'PP'.$amount.' - '.$dec.' - '.$thousand.' - '.intval($amount).'
'; if (!is_numeric($amount)) { - $amount = preg_replace('/[a-zA-Z\/\\\*\(\)\<\>]/', '', $amount); + $amount = preg_replace('/[a-zA-Z\/\\\*\(\)\<\>\_]/', '', $amount); } if ($option == 2 && $thousand == '.' && preg_match('/\.(\d\d\d)$/', (string) $amount)) { // It means the . is used as a thousand separator and string come frominput data, so 1.123 is 1123 diff --git a/htdocs/core/modules/modUser.class.php b/htdocs/core/modules/modUser.class.php index 4b397df65e4..dba5f864e8f 100644 --- a/htdocs/core/modules/modUser.class.php +++ b/htdocs/core/modules/modUser.class.php @@ -78,7 +78,8 @@ class modUser extends DolibarrModules // Boxes $this->boxes = array( 0=>array('file'=>'box_lastlogin.php', 'enabledbydefaulton'=>'Home'), - 1=>array('file'=>'box_birthdays.php', 'enabledbydefaulton'=>'Home') + 1=>array('file'=>'box_birthdays.php', 'enabledbydefaulton'=>'Home'), + 2=>array('file'=>'box_dolibarr_state_board.php', 'enabledbydefaulton'=>'Home') ); // Permissions diff --git a/htdocs/core/photos_resize.php b/htdocs/core/photos_resize.php index 0dacab15f3f..f1b5a109230 100644 --- a/htdocs/core/photos_resize.php +++ b/htdocs/core/photos_resize.php @@ -42,6 +42,7 @@ $file = GETPOST('file', 'alpha'); $num = GETPOST('num', 'alpha'); // Used for document on bank statement $website = GETPOST('website', 'alpha'); + // Security check if (empty($modulepart)) accessforbidden('Bad value for modulepart'); $accessallowed = 0; @@ -85,6 +86,11 @@ if ($modulepart == 'produit' || $modulepart == 'product' || $modulepart == 'serv $permtoadd = ($user->rights->mailing->creer || $user->rights->website->write); if (!$permtoadd) accessforbidden(); $accessallowed = 1; +} elseif ($modulepart == 'facture_fourn' || $modulepart == 'facture_fournisseur') +{ + $result = restrictedArea($user, 'fournisseur', $id, 'facture_fourn', 'facture'); + if (!$user->rights->fournisseur->facture->lire) accessforbidden(); + $accessallowed = 1; } else // ticket, holiday, expensereport, societe... { $result = restrictedArea($user, $modulepart, $id, $modulepart); @@ -230,10 +236,28 @@ if ($modulepart == 'produit' || $modulepart == 'product' || $modulepart == 'serv if ($result <= 0) dol_print_error($db, 'Failed to load object'); $dir = $conf->bank->dir_output; // By default } +} elseif ($modulepart == 'facture') { + require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php'; + $object = new Facture($db); + if ($id > 0) + { + $result = $object->fetch($id); + if ($result <= 0) dol_print_error($db, 'Failed to load object'); + $dir = $conf->$modulepart->dir_output; // By default + } +} elseif ($modulepart == 'facture_fourn' || $modulepart == 'facture_fournisseur') { + require_once DOL_DOCUMENT_ROOT.'/fourn/class/fournisseur.facture.class.php'; + $object = new FactureFournisseur($db); + if ($id > 0) + { + $result = $object->fetch($id); + if ($result <= 0) dol_print_error($db, 'Failed to load object'); + $dir = $conf->fournisseur->dir_output.'/facture'; // By default + } } elseif ($modulepart == 'medias') { $dir = $dolibarr_main_data_root.'/'.$modulepart; } else { - print 'Action crop for modulepart = '.$modulepart.' is not supported yet by photos_resize.php.'; + print 'Bug: Action crop for modulepart = '.$modulepart.' is not supported yet by photos_resize.php.'; } if (empty($backtourl)) @@ -250,6 +274,8 @@ if (empty($backtourl)) elseif (in_array($modulepart, array('tax'))) $backtourl = DOL_URL_ROOT."/compta/sociales/document.php?id=".$id.'&file='.urldecode($file); elseif (in_array($modulepart, array('ticket'))) $backtourl = DOL_URL_ROOT."/ticket/document.php?id=".$id.'&file='.urldecode($file); elseif (in_array($modulepart, array('user'))) $backtourl = DOL_URL_ROOT."/user/document.php?id=".$id.'&file='.urldecode($file); + elseif (in_array($modulepart, array('facture'))) $backtourl = DOL_URL_ROOT."/compta/facture/document.php?id=".$id.'&file='.urldecode($file); + elseif (in_array($modulepart, array('facture_fourn', 'facture_fournisseur'))) $backtourl = DOL_URL_ROOT."/fourn/facture/document.php?id=".$id.'&file='.urldecode($file); elseif (in_array($modulepart, array('bank')) && preg_match('/\/statement\/([^\/]+)\//', $file, $regs)) { $num = $regs[1]; $backtourl = DOL_URL_ROOT."/compta/bank/account_statement_document.php?id=".$id.'&num='.urlencode($num).'&file='.urldecode($file); @@ -269,10 +295,8 @@ if (empty($backtourl)) * Actions */ -if ($cancel) -{ - if ($backtourl) - { +if ($cancel) { + if ($backtourl) { header("Location: ".$backtourl); exit; } else { @@ -283,6 +307,10 @@ if ($cancel) if ($action == 'confirm_resize' && GETPOSTISSET("file") && GETPOSTISSET("sizex") && GETPOSTISSET("sizey")) { + if (empty($dir)) { + print 'Bug: Value for $dir could not be defined.'; + } + $fullpath = $dir."/".$original_file; $result = dol_imageResizeOrCrop($fullpath, 0, GETPOST('sizex', 'int'), GETPOST('sizey', 'int')); @@ -350,9 +378,13 @@ if ($action == 'confirm_resize' && GETPOSTISSET("file") && GETPOSTISSET("sizex") // Crop d'une image if ($action == 'confirm_crop') { + if (empty($dir)) { + print 'Bug: Value for $dir could not be defined.'; + } + $fullpath = $dir."/".$original_file; - //var_dump($_POST['w'].'x'.$_POST['h'].'-'.$_POST['x'].'x'.$_POST['y']);exit; + //var_dump($fullpath.' '.$_POST['w'].'x'.$_POST['h'].'-'.$_POST['x'].'x'.$_POST['y']);exit; $result = dol_imageResizeOrCrop($fullpath, 1, GETPOST('w', 'int'), GETPOST('h', 'int'), GETPOST('x', 'int'), GETPOST('y', 'int')); if ($result == $fullpath) @@ -399,8 +431,7 @@ if ($action == 'confirm_crop') $result = $ecmfile->create($user); } - if ($backtourl) - { + if ($backtourl) { header("Location: ".$backtourl); exit; } else { @@ -419,10 +450,12 @@ if ($action == 'confirm_crop') * View */ -llxHeader($head, $langs->trans("Image"), '', '', 0, 0, array('/includes/jquery/plugins/jcrop/js/jquery.Jcrop.min.js', '/core/js/lib_photosresize.js'), array('/includes/jquery/plugins/jcrop/css/jquery.Jcrop.css')); +$title= $langs->trans("ImageEditor"); + +llxHeader($head, $title, '', '', 0, 0, array('/includes/jquery/plugins/jcrop/js/jquery.Jcrop.min.js', '/core/js/lib_photosresize.js'), array('/includes/jquery/plugins/jcrop/css/jquery.Jcrop.css')); -print load_fiche_titre($langs->trans("ImageEditor")); +print load_fiche_titre($title); $infoarray = dol_getImageSize($dir."/".GETPOST("file", 'alpha')); $height = $infoarray['height']; diff --git a/htdocs/core/tpl/objectline_create.tpl.php b/htdocs/core/tpl/objectline_create.tpl.php index f6e1c94396e..def9c195c36 100644 --- a/htdocs/core/tpl/objectline_create.tpl.php +++ b/htdocs/core/tpl/objectline_create.tpl.php @@ -320,9 +320,12 @@ if ($nolinesbefore) { echo ''; } if (is_object($objectline)) { - print '
'; - print $objectline->showOptionals($extrafields, 'edit', array(), '', '', 1, 'line'); - print '
'; + $temps = $objectline->showOptionals($extrafields, 'create', array(), '', '', 1, 'line');; + if (!empty($temps)) { + print '
'; + print $temps; + print '
'; + } } echo ''; if ($object->element == 'supplier_proposal' || $object->element == 'order_supplier' || $object->element == 'invoice_supplier') // We must have same test in printObjectLines diff --git a/htdocs/core/tpl/objectline_edit.tpl.php b/htdocs/core/tpl/objectline_edit.tpl.php index d96398cfd8b..d5eac3e83c2 100644 --- a/htdocs/core/tpl/objectline_edit.tpl.php +++ b/htdocs/core/tpl/objectline_edit.tpl.php @@ -128,9 +128,12 @@ $coldisplay++; //Line extrafield if (!empty($extrafields)) { - print '
'; - print $line->showOptionals($extrafields, 'edit', array('class'=>'tredited'), '', '', 1, 'line'); - print '
'; + $temps = $line->showOptionals($extrafields, 'edit', array('class'=>'tredited'), '', '', 1, 'line'); + if (!empty($temps)) { + print '
'; + print $temps; + print '
'; + } } // Show autofill date for recuring invoices diff --git a/htdocs/core/tpl/objectline_view.tpl.php b/htdocs/core/tpl/objectline_view.tpl.php index 54c2f7f50fe..8b7bfb5d288 100644 --- a/htdocs/core/tpl/objectline_view.tpl.php +++ b/htdocs/core/tpl/objectline_view.tpl.php @@ -160,9 +160,12 @@ if (($line->info_bits & 2) == 2) { //Line extrafield if (!empty($extrafields)) { - print '
'; - print $line->showOptionals($extrafields, 'view', array(), '', '', 1, 'line'); - print '
'; + $temps = $line->showOptionals($extrafields, 'view', array(), '', '', 1, 'line'); + if (!empty($temps)) { + print '
'; + print $temps; + print '
'; + } } } diff --git a/htdocs/fourn/facture/card.php b/htdocs/fourn/facture/card.php index 24b35896498..bfac45b15ac 100644 --- a/htdocs/fourn/facture/card.php +++ b/htdocs/fourn/facture/card.php @@ -2230,11 +2230,9 @@ if ($action == 'create') } } else { if ($id > 0 || !empty($ref)) { - /* *************************************************************************** */ - /* */ - /* Fiche en mode visu ou edition */ - /* */ - /* *************************************************************************** */ + // + // View or edit mode + // $now = dol_now(); @@ -3104,8 +3102,9 @@ if ($action == 'create') if (!empty($conf->global->SUPPLIER_INVOICE_WITH_PREDEFINED_PRICES_ONLY)) $senderissupplier = 1; // Show object lines - if (!empty($object->lines)) + if (!empty($object->lines)) { $ret = $object->printObjectLines($action, $societe, $mysoc, $lineid, 1); + } $num = count($object->lines); diff --git a/htdocs/index.php b/htdocs/index.php index 713f49e3fa9..0754d297606 100644 --- a/htdocs/index.php +++ b/htdocs/index.php @@ -113,216 +113,6 @@ $boxstatFromHook = ''; // Load translation files required by page $langs->loadLangs(array('commercial', 'bills', 'orders', 'contracts')); -// Load global statistics of objects -if (empty($user->socid) && empty($conf->global->MAIN_DISABLE_GLOBAL_BOXSTATS)) { - $object = new stdClass(); - $parameters = array(); - $action = ''; - $reshook = $hookmanager->executeHooks('addStatisticLine', $parameters, $object, $action); // Note that $action and $object may have been modified by some hooks - $boxstatFromHook = $hookmanager->resPrint; - - if (empty($reshook)) { - // Cle array returned by the method load_state_board for each line - $keys = array( - 'users', - 'members', - 'expensereports', - 'holidays', - 'customers', - 'prospects', - 'suppliers', - 'contacts', - 'products', - 'services', - 'projects', - 'proposals', - 'orders', - 'invoices', - 'donations', - 'supplier_proposals', - 'supplier_orders', - 'supplier_invoices', - 'contracts', - 'interventions', - 'ticket' - ); - - // Condition to be checked for each display line dashboard - $conditions = array( - 'users' => $user->rights->user->user->lire, - 'members' => !empty($conf->adherent->enabled) && $user->rights->adherent->lire, - 'customers' => !empty($conf->societe->enabled) && $user->rights->societe->lire && empty($conf->global->SOCIETE_DISABLE_CUSTOMERS) && empty($conf->global->SOCIETE_DISABLE_CUSTOMERS_STATS), - 'prospects' => !empty($conf->societe->enabled) && $user->rights->societe->lire && empty($conf->global->SOCIETE_DISABLE_PROSPECTS) && empty($conf->global->SOCIETE_DISABLE_PROSPECTS_STATS), - 'suppliers' => !empty($conf->fournisseur->enabled) && $user->rights->fournisseur->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_STATS), - 'contacts' => !empty($conf->societe->enabled) && $user->rights->societe->contact->lire, - 'products' => !empty($conf->product->enabled) && $user->rights->produit->lire, - 'services' => !empty($conf->service->enabled) && $user->rights->service->lire, - 'proposals' => !empty($conf->propal->enabled) && $user->rights->propale->lire, - 'orders' => !empty($conf->commande->enabled) && $user->rights->commande->lire, - 'invoices' => !empty($conf->facture->enabled) && $user->rights->facture->lire, - 'donations' => !empty($conf->don->enabled) && $user->rights->don->lire, - 'contracts' => !empty($conf->contrat->enabled) && $user->rights->contrat->lire, - 'interventions' => !empty($conf->ficheinter->enabled) && $user->rights->ficheinter->lire, - 'supplier_orders' => !empty($conf->supplier_order->enabled) && $user->rights->fournisseur->commande->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_ORDERS_STATS), - 'supplier_invoices' => !empty($conf->supplier_invoice->enabled) && $user->rights->fournisseur->facture->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_INVOICES_STATS), - 'supplier_proposals' => !empty($conf->supplier_proposal->enabled) && $user->rights->supplier_proposal->lire && empty($conf->global->SOCIETE_DISABLE_SUPPLIERS_PROPOSAL_STATS), - 'projects' => !empty($conf->projet->enabled) && $user->rights->projet->lire, - 'expensereports' => !empty($conf->expensereport->enabled) && $user->rights->expensereport->lire, - 'holidays' => !empty($conf->holiday->enabled) && $user->rights->holiday->read, - 'ticket' => !empty($conf->ticket->enabled) && $user->rights->ticket->read - ); - // Class file containing the method load_state_board for each line - $includes = array( - 'users' => DOL_DOCUMENT_ROOT."/user/class/user.class.php", - 'members' => DOL_DOCUMENT_ROOT."/adherents/class/adherent.class.php", - 'customers' => DOL_DOCUMENT_ROOT."/societe/class/client.class.php", - 'prospects' => DOL_DOCUMENT_ROOT."/societe/class/client.class.php", - 'suppliers' => DOL_DOCUMENT_ROOT."/fourn/class/fournisseur.class.php", - 'contacts' => DOL_DOCUMENT_ROOT."/contact/class/contact.class.php", - 'products' => DOL_DOCUMENT_ROOT."/product/class/product.class.php", - 'services' => DOL_DOCUMENT_ROOT."/product/class/product.class.php", - 'proposals' => DOL_DOCUMENT_ROOT."/comm/propal/class/propal.class.php", - 'orders' => DOL_DOCUMENT_ROOT."/commande/class/commande.class.php", - 'invoices' => DOL_DOCUMENT_ROOT."/compta/facture/class/facture.class.php", - 'donations' => DOL_DOCUMENT_ROOT."/don/class/don.class.php", - 'contracts' => DOL_DOCUMENT_ROOT."/contrat/class/contrat.class.php", - 'interventions' => DOL_DOCUMENT_ROOT."/fichinter/class/fichinter.class.php", - 'supplier_orders' => DOL_DOCUMENT_ROOT."/fourn/class/fournisseur.commande.class.php", - 'supplier_invoices' => DOL_DOCUMENT_ROOT."/fourn/class/fournisseur.facture.class.php", - 'supplier_proposals' => DOL_DOCUMENT_ROOT."/supplier_proposal/class/supplier_proposal.class.php", - 'projects' => DOL_DOCUMENT_ROOT."/projet/class/project.class.php", - 'expensereports' => DOL_DOCUMENT_ROOT."/expensereport/class/expensereport.class.php", - 'holidays' => DOL_DOCUMENT_ROOT."/holiday/class/holiday.class.php", - 'ticket' => DOL_DOCUMENT_ROOT."/ticket/class/ticket.class.php" - ); - // Name class containing the method load_state_board for each line - $classes = array( - 'users' => 'User', - 'members' => 'Adherent', - 'customers' => 'Client', - 'prospects' => 'Client', - 'suppliers' => 'Fournisseur', - 'contacts' => 'Contact', - 'products' => 'Product', - 'services' => 'ProductService', - 'proposals' => 'Propal', - 'orders' => 'Commande', - 'invoices' => 'Facture', - 'donations' => 'Don', - 'contracts' => 'Contrat', - 'interventions' => 'Fichinter', - 'supplier_orders' => 'CommandeFournisseur', - 'supplier_invoices' => 'FactureFournisseur', - 'supplier_proposals' => 'SupplierProposal', - 'projects' => 'Project', - 'expensereports' => 'ExpenseReport', - 'holidays' => 'Holiday', - 'ticket' => 'Ticket', - ); - // Translation keyword - $titres = array( - 'users' => "Users", - 'members' => "Members", - 'customers' => "ThirdPartyCustomersStats", - 'prospects' => "ThirdPartyProspectsStats", - 'suppliers' => "Suppliers", - 'contacts' => "Contacts", - 'products' => "Products", - 'services' => "Services", - 'proposals' => "CommercialProposalsShort", - 'orders' => "CustomersOrders", - 'invoices' => "BillsCustomers", - 'donations' => "Donations", - 'contracts' => "Contracts", - 'interventions' => "Interventions", - 'supplier_orders' => "SuppliersOrders", - 'supplier_invoices' => "SuppliersInvoices", - 'supplier_proposals' => "SupplierProposalShort", - 'projects' => "Projects", - 'expensereports' => "ExpenseReports", - 'holidays' => "Holidays", - 'ticket' => "Ticket", - ); - // Dashboard Link lines - $links = array( - 'users' => DOL_URL_ROOT.'/user/list.php', - 'members' => DOL_URL_ROOT.'/adherents/list.php?statut=1&mainmenu=members', - 'customers' => DOL_URL_ROOT.'/societe/list.php?type=c&mainmenu=companies', - 'prospects' => DOL_URL_ROOT.'/societe/list.php?type=p&mainmenu=companies', - 'suppliers' => DOL_URL_ROOT.'/societe/list.php?type=f&mainmenu=companies', - 'contacts' => DOL_URL_ROOT.'/contact/list.php?mainmenu=companies', - 'products' => DOL_URL_ROOT.'/product/list.php?type=0&mainmenu=products', - 'services' => DOL_URL_ROOT.'/product/list.php?type=1&mainmenu=products', - 'proposals' => DOL_URL_ROOT.'/comm/propal/list.php?mainmenu=commercial&leftmenu=propals', - 'orders' => DOL_URL_ROOT.'/commande/list.php?mainmenu=commercial&leftmenu=orders', - 'invoices' => DOL_URL_ROOT.'/compta/facture/list.php?mainmenu=billing&leftmenu=customers_bills', - 'donations' => DOL_URL_ROOT.'/don/list.php?leftmenu=donations', - 'contracts' => DOL_URL_ROOT.'/contrat/list.php?mainmenu=commercial&leftmenu=contracts', - 'interventions' => DOL_URL_ROOT.'/fichinter/list.php?mainmenu=commercial&leftmenu=ficheinter', - 'supplier_orders' => DOL_URL_ROOT.'/fourn/commande/list.php?mainmenu=commercial&leftmenu=orders_suppliers', - 'supplier_invoices' => DOL_URL_ROOT.'/fourn/facture/list.php?mainmenu=billing&leftmenu=suppliers_bills', - 'supplier_proposals' => DOL_URL_ROOT.'/supplier_proposal/list.php?mainmenu=commercial&leftmenu=', - 'projects' => DOL_URL_ROOT.'/projet/list.php?mainmenu=project', - 'expensereports' => DOL_URL_ROOT.'/expensereport/list.php?mainmenu=hrm&leftmenu=expensereport', - 'holidays' => DOL_URL_ROOT.'/holiday/list.php?mainmenu=hrm&leftmenu=holiday', - 'ticket' => DOL_URL_ROOT.'/ticket/list.php?leftmenu=ticket' - ); - // Translation lang files - $langfile = array( - 'customers' => "companies", - 'contacts' => "companies", - 'services' => "products", - 'proposals' => "propal", - 'invoices' => "bills", - 'supplier_orders' => "orders", - 'supplier_invoices' => "bills", - 'supplier_proposals' => 'supplier_proposal', - 'expensereports' => "trips", - 'holidays' => "holiday", - ); - - - // Loop and displays each line of table - $boardloaded = array(); - foreach ($keys as $val) { - if ($conditions[$val]) { - $boxstatItem = ''; - $class = $classes[$val]; - // Search in cache if load_state_board is already realized - $classkeyforcache = $class; - if ($classkeyforcache == 'ProductService') { - $classkeyforcache = 'Product'; // ProductService use same load_state_board than Product - } - - if (!isset($boardloaded[$classkeyforcache]) || !is_object($boardloaded[$classkeyforcache])) { - include_once $includes[$val]; // Loading a class cost around 1Mb - - $board = new $class($db); - $board->load_state_board(); - $boardloaded[$class] = $board; - } else { - $board = $boardloaded[$classkeyforcache]; - } - - $langs->load(empty($langfile[$val]) ? $val : $langfile[$val]); - - $text = $langs->trans($titres[$val]); - $boxstatItem .= ''; - $boxstatItem .= '
'; - $boxstatItem .= ''.$text.'
'; - $boxstatItem .= ''.img_object("", $board->picto, 'class="inline-block"').' '.(!empty($board->nb[$val]) ? $board->nb[$val] : 0).''; - $boxstatItem .= '
'; - $boxstatItem .= '
'; - - $boxstatItems[$val] = $boxstatItem; - } - } - } -} - - - - // Dolibarr Working Board with weather if (empty($conf->global->MAIN_DISABLE_GLOBAL_WORKBOARD)) { @@ -766,7 +556,7 @@ if (empty($conf->global->MAIN_DISABLE_GLOBAL_WORKBOARD)) { } if ($showweather && !empty($isIntopOpenedDashBoard)) { - $appendClass = (!empty($conf->global->MAIN_DISABLE_METEO) && $conf->global->MAIN_DISABLE_METEO == 2 ? ' hideonsmartphone' : ''); + $appendClass = (!empty($conf->global->MAIN_DISABLE_METEO) && $conf->global->MAIN_DISABLE_METEO == 2 ? ' hideonsmartphone' : ''); $weather = getWeatherStatus($totallate); $text = ''; @@ -917,52 +707,8 @@ $boxlist .= $resultboxes['boxlista']; $boxlist .= ''; - -if (empty($user->socid) && empty($conf->global->MAIN_DISABLE_GLOBAL_BOXSTATS)) { - // Remove allready present info in new dash board - if (!empty($conf->global->MAIN_INCLUDE_GLOBAL_STATS_IN_OPENED_DASHBOARD) && is_array($boxstatItems) && count($boxstatItems) > 0) { - foreach ($boxstatItems as $boxstatItemKey => $boxstatItemHtml) { - if (in_array($boxstatItemKey, $globalStatInTopOpenedDashBoard)) { - unset($boxstatItems[$boxstatItemKey]); - } - } - } - - if (!empty($boxstatFromHook) || !empty($boxstatItems)) { - $boxstat = ''."\n"; - $boxstat .= '
'; - $boxstat .= ''; - $boxstat .= ''; - $boxstat .= ''; - $boxstat .= ''; - $boxstat .= ''; - $boxstat .= '
'; - $boxstat .= '
'.$langs->trans("DolibarrStateBoard").'
'; - $boxstat .= '
'; - - $boxstat .= $boxstatFromHook; - - if (is_array($boxstatItems) && count($boxstatItems) > 0) { - $boxstat .= implode('', $boxstatItems); - } - - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - $boxstat .= '
'; - - $boxstat .= '
'; - $boxstat .= '
'; - } -} - $boxlist .= '
'; -$boxlist .= $boxstat; $boxlist .= $resultboxes['boxlistb']; $boxlist .= '
'; diff --git a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql index ce5bd939f18..90839fe6e95 100644 --- a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql +++ b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql @@ -47,6 +47,10 @@ ALTER TABLE llx_bank_account ADD COLUMN ics_transfer varchar(32) NULL; ALTER TABLE llx_facture MODIFY COLUMN date_valid DATETIME NULL DEFAULT NULL; + +-- VMYSQL4.1 INSERT INTO llx_boxes_def (file, entity) SELECT 'box_dolibarr_state_board.php', 1 FROM DUAL WHERE NOT EXISTS (SELECT * FROM llx_boxes_def WHERE file = 'box_dolibarr_state_board.php' AND entity = 1); + + ALTER TABLE llx_website ADD COLUMN lastaccess datetime NULL; ALTER TABLE llx_website ADD COLUMN pageviews_month BIGINT UNSIGNED DEFAULT 0; ALTER TABLE llx_website ADD COLUMN pageviews_total BIGINT UNSIGNED DEFAULT 0; @@ -100,3 +104,4 @@ ALTER TABLE llx_propal ADD INDEX idx_propal_fk_warehouse(fk_warehouse); ALTER TABLE llx_product_customer_price ADD COLUMN ref_customer varchar(30); ALTER TABLE llx_product_customer_price_log ADD COLUMN ref_customer varchar(30); + diff --git a/htdocs/langs/am_ET/admin.lang b/htdocs/langs/am_ET/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/am_ET/admin.lang +++ b/htdocs/langs/am_ET/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/am_ET/other.lang b/htdocs/langs/am_ET/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/am_ET/other.lang +++ b/htdocs/langs/am_ET/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/am_ET/products.lang b/htdocs/langs/am_ET/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/am_ET/products.lang +++ b/htdocs/langs/am_ET/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/am_ET/projects.lang b/htdocs/langs/am_ET/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/am_ET/projects.lang +++ b/htdocs/langs/am_ET/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index ed58bd93d71..ccf98b549c2 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=خدمات وحدة الإعداد ProductServiceSetup=منتجات وخدمات إعداد وحدات NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=في تنشيط المنتج / الخدمة المرفقة التبويب ملفات خيار دمج المستند المنتج PDF إلى اقتراح PDF دازور إذا كان المنتج / الخدمة في الاقتراح -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=النوع الافتراضي لاستخدام الباركود للمنتجات diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 9087f403bbb..95f31ac01c8 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=انظر إعداد وحدة٪ الصورة NbOfAttachedFiles=عدد الملفات المرفقة / وثائق TotalSizeOfAttachedFiles=اجمالى حجم الملفات المرفقة / وثائق @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=استيراد مجموعة البيانات DolibarrNotification=إشعار تلقائي ResizeDesc=أدخل عرض جديدة أو ارتفاع جديد. وستبقى نسبة خلال تغيير حجم... diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index fcb5ba21081..37d70e8534c 100644 --- a/htdocs/langs/ar_SA/products.lang +++ b/htdocs/langs/ar_SA/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index 044268aa210..466976a6edb 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -76,15 +76,16 @@ MyActivities=بلدي المهام والأنشطة MyProjects=بلدي المشاريع MyProjectsArea=My projects Area DurationEffective=فعالة لمدة -ProgressDeclared=أعلن التقدم +ProgressDeclared=Declared real progress 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 -ProgressCalculated=تقدم تحسب +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=وقت +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/az_AZ/admin.lang b/htdocs/langs/az_AZ/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/az_AZ/admin.lang +++ b/htdocs/langs/az_AZ/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/az_AZ/other.lang b/htdocs/langs/az_AZ/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/az_AZ/other.lang +++ b/htdocs/langs/az_AZ/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/az_AZ/products.lang b/htdocs/langs/az_AZ/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/az_AZ/products.lang +++ b/htdocs/langs/az_AZ/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/az_AZ/projects.lang b/htdocs/langs/az_AZ/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/az_AZ/projects.lang +++ b/htdocs/langs/az_AZ/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index 49fa2fa380a..99ed3792b8c 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Настройка на модулa за услуги ProductServiceSetup=Настройка на модула за продукти и услуги NumberOfProductShowInSelect=Максимален брой продукти за показване в комбинирани списъци за избор (0 = без ограничение) ViewProductDescInFormAbility=Показване на описанията на продуктите във формуляри (в противен случай се показват в изскачащи подсказки) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Активиране на опция за обединяване на продуктови PDF документи налични в секцията "Прикачени файлове и документи" в раздела "Свързани файлове" на търговско предложение, ако се продукт / услуга в предложението и модел за документи Azur -ViewProductDescInThirdpartyLanguageAbility=Показване на описанията на продуктите в езика на контрагента +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Също така, ако имате голям брой продукти (> 100 000) може да увеличите скоростта като зададете константата PRODUCT_DONOTSEARCH_ANYWHERE да бъде със стойност "1" в Настройки - Други настройки. След това търсенето ще бъде ограничено до началото на низ. UseSearchToSelectProduct=Изчакване, докато бъде натиснат клавиш преди да се зареди съдържанието на комбинирания списък с продукти (това може да увеличи производителността, ако имате голям брой продукти, но е по-малко удобно) SetDefaultBarcodeTypeProducts=Тип баркод по подразбиране, който да се използва за продукти diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index 82bb5cecad3..5d9542b424e 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Разходния отчет е валидира Notify_EXPENSE_REPORT_APPROVE=Разходният отчет е одобрен Notify_HOLIDAY_VALIDATE=Молбата за отпуск е валидирана (изисква се одобрение) Notify_HOLIDAY_APPROVE=Молбата за отпуск е одобрена +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Вижте настройка на модул %s NbOfAttachedFiles=Брой на прикачените файлове / документи TotalSizeOfAttachedFiles=Общ размер на прикачените файлове / документи @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Разходен отчет %s е валидир EMailTextExpenseReportApproved=Разходен отчет %s е одобрен. EMailTextHolidayValidated=Молба за отпуск %s е валидирана. EMailTextHolidayApproved=Молба за отпуск %s е одобрена. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Набор от данни за импортиране DolibarrNotification=Автоматично известяване ResizeDesc=Въведете нова ширина или нова височина. Съотношението ще се запази по време преоразмеряването... diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index 70ada1c9db0..e7009fa4c48 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=Множество ценови сегменти за продукт / услуга (всеки клиент е в един ценови сегмент) MultiPricesNumPrices=Брой цени DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang index a60103602e1..447427dfbc8 100644 --- a/htdocs/langs/bg_BG/projects.lang +++ b/htdocs/langs/bg_BG/projects.lang @@ -76,15 +76,16 @@ MyActivities=Мои задачи / дейности MyProjects=Мои проекти MyProjectsArea=Секция с мои проекти DurationEffective=Ефективна продължителност -ProgressDeclared=Деклариран напредък +ProgressDeclared=Declared real progress TaskProgressSummary=Напредък на задачата CurentlyOpenedTasks=Текущи активни задачи -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Декларираният напредък е по-малко %s от изчисления напредък -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Декларираният напредък е повече %s от изчисления напредък -ProgressCalculated=Изчислен напредък +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=с които съм свързан WhichIamLinkedToProject=с които съм свързан в проект Time=Време +TimeConsumed=Consumed ListOfTasks=Списък със задачи GoToListOfTimeConsumed=Показване на списъка с изразходвано време GanttView=Gantt диаграма diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/bn_BD/products.lang +++ b/htdocs/langs/bn_BD/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/bn_BD/projects.lang +++ b/htdocs/langs/bn_BD/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/bn_IN/admin.lang b/htdocs/langs/bn_IN/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/bn_IN/admin.lang +++ b/htdocs/langs/bn_IN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/bn_IN/other.lang b/htdocs/langs/bn_IN/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/bn_IN/other.lang +++ b/htdocs/langs/bn_IN/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/bn_IN/products.lang b/htdocs/langs/bn_IN/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/bn_IN/products.lang +++ b/htdocs/langs/bn_IN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/bn_IN/projects.lang b/htdocs/langs/bn_IN/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/bn_IN/projects.lang +++ b/htdocs/langs/bn_IN/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index 59f77d8c8c1..66ac219e8e9 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index bc8408ad6a6..26ece215614 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index 76237566481..467e9f62b86 100644 --- a/htdocs/langs/bs_BA/products.lang +++ b/htdocs/langs/bs_BA/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index 2a1023dec52..ed058b147fe 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moji zadaci/aktivnosti MyProjects=Moji projekti MyProjectsArea=My projects Area DurationEffective=Efektivno trajanje -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Vrijeme +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 2c6e0389526..1d4c1a8f5e9 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -210,7 +210,7 @@ TransactionNumShort=Número de transacció AccountingCategory=Grups personalitzats GroupByAccountAccounting=Agrupa per compte major GroupBySubAccountAccounting=Agrupa per subcompte comptable -AccountingAccountGroupsDesc=Pots definir aquí alguns grups de compte comptable. S'utilitzaran per a informes comptables personalitzats. +AccountingAccountGroupsDesc=Podeu definir aquí alguns grups de comptes comptables. S'utilitzaran per a informes comptables personalitzats. ByAccounts=Per comptes ByPredefinedAccountGroups=Per grups predefinits ByPersonalizedAccountGroups=Per grups personalitzats @@ -224,7 +224,7 @@ ConfirmDeleteMvt=Això suprimirà totes les línies d'operació de la comptabili ConfirmDeleteMvtPartial=Això suprimirà la transacció de la comptabilitat (se suprimiran totes les línies d’operació relacionades amb la mateixa transacció) FinanceJournal=Diari de finances ExpenseReportsJournal=Informe-diari de despeses -DescFinanceJournal=Finance journal including all the types of payments by bank account +DescFinanceJournal=Diari financer que inclou tots els tipus de pagaments per compte bancari DescJournalOnlyBindedVisible=Aquesta és una vista de registre que està vinculada a un compte comptable i que es pot registrar als diaris i llibres majors. VATAccountNotDefined=Comptes comptables d'IVA sense definir ThirdpartyAccountNotDefined=Comptes comptables de tercers (clients o proveïdors) sense definir diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index 17744eb3df8..dc197674bd5 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -32,7 +32,7 @@ PurgeSessions=Purga de sessions ConfirmPurgeSessions=Estàs segur de voler purgar totes les sessions? Es desconnectaran tots els usuaris (excepte tu mateix) NoSessionListWithThisHandler=El gestor de sessions configurat al vostre PHP no permet llistar totes les sessions en execució. LockNewSessions=Bloquejar connexions noves -ConfirmLockNewSessions=Esteu segur de voler restringir l'accés a Dolibarr únicament al seu usuari? Només el login %s podrà connectar si confirma. +ConfirmLockNewSessions=Esteu segur que voleu restringir qualsevol nova connexió a Dolibarr només a vosaltres mateixos? Només l'usuari %s podrà connectar-se després d'això. UnlockNewSessions=Eliminar bloqueig de connexions YourSession=La seva sessió Sessions=Sessions d'usuaris @@ -102,7 +102,7 @@ NextValueForReplacements=Pròxim valor (rectificatives) 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=Mida màxima per als fitxers a pujar (0 per a no permetre cap pujada) -UseCaptchaCode=Utilització de codi gràfic (CAPTCHA) en el login +UseCaptchaCode=Utilitzeu el codi gràfic (CAPTCHA) a la pàgina d'inici de sessió AntiVirusCommand=Ruta completa cap al comandament antivirus AntiVirusCommandExample=Exemple per al dimoni ClamAv (requereix clamav-daemon): /usr/bin/clamdscan
Exemple per a ClamWin (molt molt lent): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Paràmetres complementaris en la línia de comandes @@ -333,7 +333,7 @@ StepNb=Pas %s FindPackageFromWebSite=Cerca un paquet que proporcioni les funcions que necessites (per exemple, al lloc web oficial %s). DownloadPackageFromWebSite=Descarrega el paquet (per exemple, des del lloc web oficial %s). UnpackPackageInDolibarrRoot=Desempaqueta/descomprimeix els fitxers empaquetats al teu directori del servidor Dolibarr: %s -UnpackPackageInModulesRoot=Per instal·lar un mòdul extern, descomprimir l'arxiu en el directori del servidor dedicat als mòduls:
%s +UnpackPackageInModulesRoot=Per a desplegar/instal·lar un mòdul extern, descomprimiu els fitxers empaquetats al directori del servidor dedicat a mòduls externs:
%s SetupIsReadyForUse=La instal·lació del mòdul ha finalitzat. No obstant, ha d'habilitar i configurar el mòdul en la seva aplicació, aneu a la pàgina per configurar els mòduls: %s. NotExistsDirect=No s'ha definit el directori arrel alternatiu a un directori existent.
InfDirAlt=Des de la versió 3, és possible definir un directori arrel alternatiu. Això li permet emmagatzemar, en un directori dedicat, plug-ins i plantilles personalitzades.
Només ha de crear un directori a l'arrel de Dolibarr (per exemple: custom).
@@ -366,7 +366,7 @@ UMask=Paràmetre UMask de nous fitxers en Unix/Linux/BSD. UMaskExplanation=Aquest paràmetre determina els drets dels arxius creats en el servidor Dolibarr (durant la pujada, per exemple).
Aquest ha de ser el valor octal (per exemple, 0666 significa lectura/escriptura per a tots).
Aquest paràmetre no té cap efecte sobre un servidor Windows. SeeWikiForAllTeam=Mira a la pàgina Wiki per veure una llista de contribuents i la seva organització UseACacheDelay= Demora en memòria cau de l'exportació en segons (0 o buit sense memòria) -DisableLinkToHelpCenter=Amagar l'enllaç "Necessita suport o ajuda" a la pàgina de login +DisableLinkToHelpCenter=Amaga l'enllaç "Necessiteu ajuda o assistència" a la pàgina d'inici de sessió DisableLinkToHelp=Amaga l'enllaç a l'ajuda en línia "%s" AddCRIfTooLong=No hi ha cap tall de text automàtic, el text massa llarg no es mostrarà als documents. Si cal, afegiu devolucions de carro a l'àrea de text. ConfirmPurge=Esteu segur que voleu executar aquesta purga?
Això suprimirà permanentment tots els fitxers de dades sense opció de restaurar-los (fitxers del GED, fitxers adjunts...). @@ -451,9 +451,9 @@ ExtrafieldParamHelpSeparator=Manteniu-lo buit per un simple separador
Confi LibraryToBuildPDF=Llibreria utilitzada per a la generació de PDF LocalTaxDesc=Alguns països apliquen 2 o 3 impostos en cada línia de factura. Si aquest és el cas, escull el tipus pel segon i el tercer impost i el seu valor. Els tipus possibles són:
1: impostos locals aplicats en productes i serveis sense IVA (l'impost local serà calculat en el total sense impostos)
2: impost local aplicat en productes i serveis amb IVA (l'impost local serà calculat amb el total + l'impost principal)
3: impost local aplicat en productes sense IVA (l'impost local serà calculat en el total sense impost)
4: impost local aplicat en productes amb IVA (l'impost local serà calculat amb el total + l'impost principal)
5: impost local aplicat en serveis sense IVA (l'impost local serà calculat amb el total sense impost)
6: impost local aplicat en serveis amb IVA inclòs (l'impost local serà calculat amb el total + IVA) SMS=SMS -LinkToTestClickToDial=Introduïu un número de telèfon que voleu marcar per provar l'enllaç de crida ClickToDial per a l'usuari %s +LinkToTestClickToDial=Introduïu un número de telèfon per a trucar per a mostrar un enllaç per a provar l'URL ClickToDial per a l'usuari %s RefreshPhoneLink=Actualitza l'enllaç -LinkToTest=Enllaç seleccionable per l'usuari %s (feu clic al número per provar) +LinkToTest=Enllaç clicable generat per l'usuari %s (feu clic al número de telèfon per a provar-lo) KeepEmptyToUseDefault=Deixa-ho buit per usar el valor per defecte KeepThisEmptyInMostCases=En la majoria dels casos, pots deixar aquest camp buit. DefaultLink=Enllaç per defecte @@ -482,7 +482,7 @@ ModuleCompanyCodePanicum=Retorna un codi comptable buit. ModuleCompanyCodeDigitaria=Retorna un codi comptable compost d'acord amb el nom del tercer. El codi consisteix en un prefix, que pot definir-se, en primera posició, seguit del nombre de caràcters que es defineixi com a codi del tercer. ModuleCompanyCodeCustomerDigitaria=%s seguit pel nom abreujat del client pel nombre de caràcters: %s pel codi del compte de client ModuleCompanyCodeSupplierDigitaria=%s seguit pel nom abreujat del proveïdor pel nombre de caràcters: %s pel codi del compte de proveïdor -Use3StepsApproval=Per defecte, les comandes de compra necessiten ser creades i aprovades per 2 usuaris diferents (el primer pas/usuari és per a crear i un altre pas/usuari per aprovar. Noteu que si un usuari te permisos tant per crear com per aprovar, un sol pas/usuari serà suficient). Amb aquesta opció, tens la possibilitat d'introduir un tercer pas/usuari per a l'aprovació, si l'import es superior a un determinat valor (d'aquesta manera són necessaris 3 passos: 1=validació, 2=primera aprovació i 3=segona aprovació si l'import és suficient).
Deixa-ho en blanc si només vols un nivell d'aprovació (2 passos); posa un valor encara que sigui molt baix (0,1) si vols una segona aprovació (3 passos). +Use3StepsApproval=Per defecte, les comandes de compra necessiten ser creades i aprovades per 2 usuaris diferents (el primer pas/usuari és per a crear i un altre pas/usuari per a aprovar. Noteu que si un usuari te permisos tant per a crear com per a aprovar, un sol pas/usuari serà suficient). Amb aquesta opció, tens la possibilitat d'introduir un tercer pas/usuari per a l'aprovació, si l'import es superior a un determinat valor (d'aquesta manera són necessaris 3 passos: 1=validació, 2=primera aprovació i 3=segona aprovació si l'import és suficient).
Deixa-ho en blanc si només vols un nivell d'aprovació (2 passos); posa un valor encara que sigui molt baix (0,1) si vols una segona aprovació (3 passos). UseDoubleApproval=Utilitza una aprovació en 3 passos quan l'import (sense impostos) sigui més gran que... WarningPHPMail=ADVERTÈNCIA: la configuració per enviar correus electrònics des de l'aplicació utilitza la configuració genèrica predeterminada. Sovint és millor configurar els correus electrònics de sortida per utilitzar el servidor de correu electrònic del vostre proveïdor de serveis de correu electrònic en lloc de la configuració predeterminada per diversos motius: WarningPHPMailA=- L’ús del servidor del proveïdor de serveis de correu electrònic augmenta la confiança del vostre correu electrònic, de manera que augmenta l'enviament sense ser marcat com a SPAM @@ -568,7 +568,7 @@ Module70Desc=Gestió de intervencions Module75Name=Notes de despeses i desplaçaments Module75Desc=Gestió de les notes de despeses i desplaçaments Module80Name=Expedicions -Module80Desc=Enviaments i gestió de notes de lliurament +Module80Desc=Gestió d’enviaments i albarans Module85Name=Bancs i Efectiu Module85Desc=Gestió de comptes bancaris o efectiu Module100Name=Lloc extern @@ -618,7 +618,7 @@ Module1780Name=Etiquetes Module1780Desc=Crea etiquetes (productes, clients, proveïdors, contactes o socis) Module2000Name=Editor WYSIWYG Module2000Desc=Permet editar/formatar els camps de text mitjançant CKEditor (html) -Module2200Name=Multi-preus +Module2200Name=Preus dinàmics Module2200Desc=Utilitza expressions matemàtiques per a la generació automàtica de preus Module2300Name=Tasques programades Module2300Desc=Gestió de tasques programades (àlies cron o taula de crons) @@ -646,7 +646,7 @@ Module5000Desc=Permet gestionar diverses empreses Module6000Name=Flux de treball Module6000Desc=Gestió del flux de treball (creació automàtica d'objectes i / o canvi d'estat automàtic) Module10000Name=Pàgines web -Module10000Desc=Creeu llocs web (públics) amb un editor WYSIWYG. Es tracta d’un CMS per a administradors web o desenvolupador (és millor conèixer el llenguatge HTML i CSS). N’hi ha prou amb configurar el servidor web (Apache, Nginx, ...) per assenyalar el directori dedicat a Dolibarr perquè el tingui en línia a Internet amb el seu propi nom de domini. +Module10000Desc=Creeu llocs web (públics) amb un editor WYSIWYG. Es tracta d’un CMS per a administradors web o desenvolupador (és millor conèixer el llenguatge HTML i CSS). N’hi ha prou amb configurar el servidor web (Apache, Nginx, ...) per a assenyalar el directori dedicat a Dolibarr perquè el tingui en línia a Internet amb el seu propi nom de domini. Module20000Name=Gestió de sol·licituds de dies lliures Module20000Desc=Defineix i fes seguiment de les sol·licituds de dies lliures dels empleats Module39000Name=Lots de productes @@ -670,11 +670,11 @@ Module54000Desc=Impressió directa (sense obrir els documents) mitjançant la in Module55000Name=Enquesta o votació Module55000Desc=Creeu enquestes o vots en línia (com Doodle, Studs, RDVz, etc.) Module59000Name=Marges -Module59000Desc=Mòdul per gestionar els marges +Module59000Desc=Mòdul per a gestionar marges Module60000Name=Comissions -Module60000Desc=Mòdul per gestionar les comissions +Module60000Desc=Mòdul per a gestionar comissions Module62000Name=Incoterms -Module62000Desc=Afegir funcions per gestionar Incoterm +Module62000Desc=Afegeix funcions per a gestionar Incoterms Module63000Name=Recursos Module63000Desc=Gestiona els recursos (impressores, cotxes, habitacions...) que pots compartir en esdeveniments Permission11=Consulta factures de client @@ -1086,7 +1086,7 @@ LabelOnDocuments=Etiqueta sobre documents LabelOrTranslationKey=Clau de traducció o cadena ValueOfConstantKey=Valor d’una constant de configuració ConstantIsOn=L'opció %s està activada -NbOfDays=Nº de dies +NbOfDays=Nombre de dies AtEndOfMonth=A final de mes CurrentNext=Actual/Següent Offset=Decàleg @@ -1107,11 +1107,11 @@ Database=Base de dades DatabaseServer=Host de la base de dades DatabaseName=Nom de la base de dades DatabasePort=Port de la base de dades -DatabaseUser=Login de la base de dades +DatabaseUser=Usuari de la base de dades DatabasePassword=Contrasenya de la base de dades Tables=Taules TableName=Nom de la taula -NbOfRecord=Nº de registres +NbOfRecord=Nombre de registres Host=Servidor DriverType=Tipus de driver SummarySystem=Resum de la informació de sistemes Dolibarr @@ -1125,8 +1125,8 @@ MaxSizeList=Longitud màxima per llistats DefaultMaxSizeList=Longitud màxima per defecte per a les llistes DefaultMaxSizeShortList=Longitud màxima per defecte en llistes curtes (per exemple, en la fitxa de client) MessageOfDay=Missatge del dia -MessageLogin=Missatge del login -LoginPage=Pàgina de login +MessageLogin=Missatge en la pàgina d'inici de sessió +LoginPage=Pàgina d'inici de sessió BackgroundImageLogin=Imatge de fons PermanentLeftSearchForm=Zona de recerca permanent del menú de l'esquerra DefaultLanguage=Idioma per defecte @@ -1168,7 +1168,7 @@ Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Factura del client no pagada Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Conciliació bancària pendent Delays_MAIN_DELAY_MEMBERS=Quota de membre retardada Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Ingrés de xec no realitzat -Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de despeses per aprovar +Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de despeses per a aprovar Delays_MAIN_DELAY_HOLIDAYS=Dies lliures a aprovar SetupDescription1=Abans de començar a utilitzar Dolibarr cal definir alguns paràmetres inicials i habilitar/configurar els mòduls. SetupDescription2=Les dues seccions següents són obligatòries (les dues primeres entrades al menú Configuració): @@ -1230,9 +1230,9 @@ BackupDesc3=Feu una còpia de seguretat de l'estructura i continguts de la vostr BackupDescX=La carpeta arxivada haurà de guardar-se en un lloc segur BackupDescY=L'arxiu de bolcat generat haurà de guardar-se en un lloc segur. BackupPHPWarning=La còpia de seguretat no pot ser garantida amb aquest mètode. És preferible utilitzar l'anterior -RestoreDesc=Per restaurar una còpia de seguretat de Dolibarr, calen dos passos. +RestoreDesc=Per a restaurar una còpia de seguretat de Dolibarr, calen dos passos. RestoreDesc2=Restaura el fitxer de còpia de seguretat (fitxer zip, per exemple) del directori "documents" a una nova instal·lació de Dolibarr o en aquest directori de documents actual ( %s ). -RestoreDesc3=Restaura l'estructura i les dades de la base de dades des d'un fitxer d'emmagatzematge de seguretat a la base de dades de la nova instal·lació de Dolibarr o bé a la base de dades d'aquesta instal·lació actual ( %s ). Avís, un cop finalitzada la restauració, haureu d'utilitzar un inici de sessió / contrasenya, que existia des de la còpia de seguretat / instal·lació per tornar a connectar-se.
Per restaurar una base de dades de còpia de seguretat en aquesta instal·lació actual, podeu seguir aquest assistent. +RestoreDesc3=Restaura l'estructura i les dades de la base de dades des d'un fitxer d'emmagatzematge de seguretat a la base de dades de la nova instal·lació de Dolibarr o bé a la base de dades d'aquesta instal·lació actual ( %s ). Avís, un cop finalitzada la restauració, haureu d'utilitzar un usuari/contrasenya, que existia en el moment de la còpia de seguretat per a tornar a connectar-se.
Per a restaurar una base de dades de còpia de seguretat en aquesta instal·lació actual, podeu seguir aquest assistent. RestoreMySQL=Importació MySQL ForcedToByAModule=Aquesta regla està forçada a %s per un dels mòduls activats ValueIsForcedBySystem=Aquest valor és forçat pel sistema. No es pot canviar. @@ -1501,11 +1501,11 @@ LDAPSetupForVersion3=Servidor LDAP configurat en versió 3 LDAPSetupForVersion2=Servidor LDAP configurat en versió 2 LDAPDolibarrMapping=Mapping Dolibarr LDAPLdapMapping=Mapping LDAP -LDAPFieldLoginUnix=Login (unix) +LDAPFieldLoginUnix=Nom d'usuari (unix) LDAPFieldLoginExample=Exemple: uid LDAPFilterConnection=Filtre de cerca LDAPFilterConnectionExample=Exemple: & (objectClass = inetOrgPerson) -LDAPFieldLoginSamba=Login (samba, activedirectory) +LDAPFieldLoginSamba=Nom d'usuari (samba, activedirectory) LDAPFieldLoginSambaExample=Exemple: samaccountname LDAPFieldFullname=Nom complet LDAPFieldFullnameExample=Exemple: cn @@ -1598,8 +1598,13 @@ ServiceSetup=Configuració del mòdul Serveis ProductServiceSetup=Configuració dels mòduls Productes i Serveis NumberOfProductShowInSelect=Nombre màxim de productes que es mostraran a les llistes de selecció combo (0 = sense límit) ViewProductDescInFormAbility=Mostra les descripcions dels productes en els formularis (en cas contrari es mostra en una finestra emergent de suggeriments) +DoNotAddProductDescAtAddLines=No afegiu la descripció del producte (de la fitxa de producte) en afegir línies als formularis +OnProductSelectAddProductDesc=Com s'utilitza la descripció dels productes quan s'afegeix un producte com a línia d'un document +AutoFillFormFieldBeforeSubmit=Empleneu automàticament el camp d’entrada de la descripció amb la descripció del producte +DoNotAutofillButAutoConcat=No empleneu automàticament el camp d'entrada amb la descripció del producte. La descripció del producte es concatenarà automàticament a la descripció introduïda. +DoNotUseDescriptionOfProdut=La descripció del producte mai no s’inclourà a la descripció de les línies de documents MergePropalProductCard=Activeu a la pestanya Fitxers adjunts de productes/serveis una opció per combinar el document PDF del producte amb el PDF del pressupost si el producte/servei es troba en ell -ViewProductDescInThirdpartyLanguageAbility=Mostra les descripcions dels productes en l'idioma del tercer +ViewProductDescInThirdpartyLanguageAbility=Mostra les descripcions dels productes en formularis en l'idioma del tercer (en cas contrari, en l'idioma de l'usuari) UseSearchToSelectProductTooltip=A més, si teniu un gran nombre de productes (> 100.000), podeu augmentar la velocitat establiint la constant PRODUCT_DONOTSEARCH_ANYWHERE a 1 a Configuració->Altres. La cerca es limitarà a l'inici de la cadena. UseSearchToSelectProduct=Espereu fins que premeu una tecla abans de carregar el contingut de la llista combinada del producte (això pot augmentar el rendiment si teniu una gran quantitat de productes, però és menys convenient) SetDefaultBarcodeTypeProducts=Tipus de codi de barres utilitzat per defecte per als productes @@ -1659,8 +1664,8 @@ NotificationEMailFrom=Correu electrònic del remitent (des de) per als correus e FixedEmailTarget=Destinatari ##### Sendings ##### SendingsSetup=Configuració del mòdul d'enviament -SendingsReceiptModel=Model de rebut de lliurament -SendingsNumberingModules=Mòduls de numeració de notes de lliurament +SendingsReceiptModel=Model de rebut d’enviament +SendingsNumberingModules=Mòduls de numeració d'enviaments SendingsAbility=Suport en fulles d'expedició per entregues de clients NoNeedForDeliveryReceipts=En la majoria dels casos, els fulls d'enviament s'utilitzen tant com a fulls de lliurament de clients (llista de productes a enviar) i fulls rebuts i signats pel client. Per tant, el rebut de lliurament del producte és una característica duplicada i rarament s'activa. FreeLegalTextOnShippings=Text lliure en els enviaments @@ -1719,7 +1724,7 @@ OptionVatDebitOptionDesc=L'IVA es deu:
- en el lliurament de mercaderies (s OptionPaymentForProductAndServices=Base de caixa de productes i serveis OptionPaymentForProductAndServicesDesc=L'IVA es deu:
- pel pagament de béns
- sobre els pagaments per serveis SummaryOfVatExigibilityUsedByDefault=Durada de l'elegibilitat de l'IVA per defecte d'acord amb l'opció escollida: -OnDelivery=Al lliurament +OnDelivery=En entrega OnPayment=Al pagament OnInvoice=A la factura SupposedToBePaymentDate=Data de pagament utilitzada @@ -1913,8 +1918,8 @@ MailToProject=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) -TitleExampleForMaintenanceRelease=Exemple de missatge que es pot utilitzar per anunciar aquesta actualització de manteniment (ets lliure d'utilitzar-ho a les teves webs) +TitleExampleForMajorRelease=Exemple de missatge que podeu utilitzar per a anunciar aquesta actualització de versió (no dubteu a utilitzar-lo als vostres llocs web) +TitleExampleForMaintenanceRelease=Exemple de missatge que podeu utilitzar per a anunciar aquesta versió de manteniment (no dubteu a utilitzar-lo als vostres llocs web) ExampleOfNewsMessageForMajorRelease=Disponible ERP/CRM Dolibarr %s. La versió %s és una versió major amb un munt de noves característiques, tant per a usuaris com per a desenvolupadors. Es pot descarregar des de la secció de descàrregues del portal https://www.dolibarr.org (subdirectori versions estables). Podeu llegir ChangeLog per veure la llista completa dels canvis. ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s està disponible. La versió %s és una versió de manteniment, de manera que només conté correccions d'errors. Us recomanem que tots els usuaris actualitzeu aquesta versió. Un llançament de manteniment no introdueix novetats ni canvis a la base de dades. Podeu descarregar-lo des de l'àrea de descàrrega del portal https://www.dolibarr.org (subdirectori de les versions estables). Podeu llegir el ChangeLog per obtenir una llista completa dels canvis. MultiPriceRuleDesc=Quan l'opció "Diversos nivells de preus per producte/servei" està activada, podeu definir preus diferents (un preu per nivell) per a cada producte. Per a estalviar-vos temps, aquí podeu introduir una regla per calcular automàticament un preu per a cada nivell en funció del preu del primer nivell, de manera que només haureu d'introduir un preu per al primer nivell per a cada producte. Aquesta pàgina està dissenyada per a estalviar-vos temps, però només és útil si els preus de cada nivell són relatius al primer nivell. Podeu ignorar aquesta pàgina en la majoria dels casos. @@ -2069,7 +2074,7 @@ MakeAnonymousPing=Creeu un ping "+1" anònim al servidor de bases Doli FeatureNotAvailableWithReceptionModule=Funció no disponible quan el mòdul Recepció està habilitat 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 que alguns textos del vostre PDF es copiïn en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma per a que el PDF generat contingui 2 idiomes diferents a la mateixa pàgina, l’escollit en generar el PDF i aquesta (només poques plantilles de PDF admeten això). Mantingueu-lo buit per a 1 idioma per PDF. +PDF_USE_ALSO_LANGUAGE_CODE=Si voleu que alguns textos del vostre PDF es copiïn en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma perquè el PDF generat contingui 2 idiomes diferents en la mateixa pàgina, l’escollit en generar el PDF i aquesta (només poques plantilles de PDF admeten això). Mantingueu-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ó del canal RSS proporciona un giny que heu d’habilitar per a tenir-lo disponible al tauler de control diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index f84f17f7ff0..aa519393533 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -122,7 +122,7 @@ BankChecks=Xec bancari BankChecksToReceipt=Xecs en espera de l'ingrés BankChecksToReceiptShort=Xecs en espera de l'ingrés ShowCheckReceipt=Mostra la remesa d'ingrés de xec -NumberOfCheques=Nº de xec +NumberOfCheques=Núm. de xec DeleteTransaction=Eliminar registre ConfirmDeleteTransaction=Esteu segur que voleu suprimir aquest registre? ThisWillAlsoDeleteBankRecord=Açò eliminarà també els registres bancaris generats diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index dbe1ced2434..070dcca036f 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -11,7 +11,7 @@ BillsSuppliersUnpaidForCompany=Factures de proveïdors pendents de pagament per BillsLate=Retard en el pagament BillsStatistics=Estadístiques factures a clients BillsStatisticsSuppliers=Estadístiques de Factures de proveïdors -DisabledBecauseDispatchedInBookkeeping=Desactivat perquè la factura s'ha contabilitzat +DisabledBecauseDispatchedInBookkeeping=Desactivat perquè la factura ja s'ha comptabilitzat DisabledBecauseNotLastInvoice=Desactivat perquè la factura no es pot esborrar. Algunes factures s'han registrat després d'aquesta i això crearia espais buits al comptador. DisabledBecauseNotErasable=Desactivat perque no es pot eliminar InvoiceStandard=Factura estàndard @@ -84,7 +84,7 @@ PaymentMode=Forma de pagament PaymentTypeDC=Dèbit/Crèdit Tarja PaymentTypePP=PayPal IdPaymentMode=Forma de pagament (Id) -CodePaymentMode=Payment type (code) +CodePaymentMode=Tipus de pagament (codi) LabelPaymentMode=Forma de pagament (etiqueta) PaymentModeShort=Forma de pagament PaymentTerm=Condicions de pagament @@ -196,7 +196,7 @@ ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=En alguns països, aquesta opc ConfirmClassifyPaidPartiallyReasonAvoirDesc=Aquesta elecció és l'elecció que s'ha de prendre si les altres no són aplicables ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Un client morós és un client que es nega a pagar el seu deute. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Aquesta elecció és possible si el cas de pagament incomplet és arran d'una devolució de part dels productes -ConfirmClassifyPaidPartiallyReasonOtherDesc=Utilitza aquesta opció si totes les altres no et convenen, per exemple en la situació següent:
- pagament parcial ja que una partida de productes s'ha tornat
- la quantitat reclamada és massa important perquè s'ha oblidat un descompte
En tots els casos, la reclamació s'ha de regularitzar mitjançant un abonament. +ConfirmClassifyPaidPartiallyReasonOtherDesc=Utilitza aquesta opció si totes les altres no són adequades, per exemple, en la següent situació:
- el pagament no s'ha completat perquè alguns productes es van tornar a enviar
- la quantitat reclamada és massa important perquè s'ha oblidat un descompte
En tots els casos, s'ha de corregir l'import excessiu en el sistema de comptabilitat mitjançant la creació d’un abonament. ConfirmClassifyAbandonReasonOther=Altres ConfirmClassifyAbandonReasonOtherDesc=Aquesta elecció serà per a qualsevol altre cas. Per exemple arran de la intenció de crear una factura rectificativa. ConfirmCustomerPayment=Confirmes aquesta entrada de pagament per a %s %s? @@ -204,8 +204,8 @@ ConfirmSupplierPayment=Confirmes aquesta entrada de pagament per a %s %s? ConfirmValidatePayment=Estàs segur que vols validar aquest pagament? No es poden fer canvis un cop el pagament s'ha validat. ValidateBill=Valida la factura UnvalidateBill=Tornar factura a esborrany -NumberOfBills=Nº de factures -NumberOfBillsByMonth=Nº de factures per mes +NumberOfBills=Nombre de factures +NumberOfBillsByMonth=Nombre de factures per mes AmountOfBills=Import de les factures AmountOfBillsHT=Import de factures (net d'impostos) AmountOfBillsByMonthHT=Import de les factures per mes (Sense IVA) @@ -338,7 +338,7 @@ InvoiceNotChecked=Cap factura pendent està seleccionada ConfirmCloneInvoice=Vols clonar aquesta factura %s? DisabledBecauseReplacedInvoice=Acció desactivada perquè és una factura reemplaçada DescTaxAndDividendsArea=Aquesta àrea presenta un resum de tots els pagaments fets per a despeses especials. Aquí només s'inclouen registres amb pagament durant l'any fixat. -NbOfPayments=Nº de pagaments +NbOfPayments=Nombre de pagaments SplitDiscount=Dividir el dte. en dos ConfirmSplitDiscount=Estàs segur que vols dividir aquest descompte de %s %s en 2 descomptes més baixos? TypeAmountOfEachNewDiscount=Import de l'entrada per a cada una de les dues parts: @@ -396,12 +396,12 @@ PaymentConditionShort60D=60 dies PaymentCondition60D=60 dies PaymentConditionShort60DENDMONTH=60 dies final de mes PaymentCondition60DENDMONTH=En els 60 dies següents a final de mes -PaymentConditionShortPT_DELIVERY=Al lliurament -PaymentConditionPT_DELIVERY=Al lliurament +PaymentConditionShortPT_DELIVERY=Entrega +PaymentConditionPT_DELIVERY=En entrega PaymentConditionShortPT_ORDER=Comanda PaymentConditionPT_ORDER=A la recepció de la comanda PaymentConditionShortPT_5050=50/50 -PaymentConditionPT_5050=50%% per avançat, 50%% al lliurament +PaymentConditionPT_5050=50%% per avançat, 50%% a l’entrega PaymentConditionShort10D=10 dies PaymentCondition10D=10 dies PaymentConditionShort10DENDMONTH=10 dies final de mes @@ -447,8 +447,8 @@ BIC=BIC/SWIFT BICNumber=Codi BIC/SWIFT ExtraInfos=Informacions complementàries RegulatedOn=Pagar el -ChequeNumber=Xec nº -ChequeOrTransferNumber=Nº Xec/Transferència +ChequeNumber=Número de xec +ChequeOrTransferNumber=Núm. de xec/transferència ChequeBordereau=Comprova horari ChequeMaker=Autor xec/transferència ChequeBank=Banc del xec @@ -478,7 +478,7 @@ MenuCheques=Xecs MenuChequesReceipts=Remeses de xecs NewChequeDeposit=Dipòsit nou ChequesReceipts=Remeses de xecs -ChequesArea=Àrea de ingrés de xecs +ChequesArea=Àrea d'ingressos de xecs ChequeDeposits=Ingrés de xecs Cheques=Xecs DepositId=Id. dipòsit @@ -514,7 +514,7 @@ PDFSpongeDescription=Plantilla PDF de factures Sponge. Una plantilla de factura PDFCrevetteDescription=Plantilla Crevette per factures PDF. Una plantilla de factura completa per factures de situació. TerreNumRefModelDesc1=Retorna el nombre sota el format %syymm-nnnn per a les factures i %syymm-nnnn per als abonaments on yy és l'any, mm. el mes i nnnn un comptador seqüencial sense ruptura i sense permanència a 0 MarsNumRefModelDesc1=Retorna el nombre sota el format %syymm-nnnn per a les factures, %syymm-nnnn per a les factures rectificatives, %syymm-nnnn per a les factures de dipòsit i %syymm-nnnn pels abonaments on yy és l'any, mm el mes i nnnn un comptador seqüencial sense ruptura i sense retorn a 0 -TerreNumRefModelError=Ja hi ha una factura amb $syymm i no és compatible amb aquest model de seqüència. Elimineu o renómbrela per poder activar aquest mòdul +TerreNumRefModelError=Ja existeix una factura que comença amb $syymm i no és compatible amb aquest model de seqüència. Elimineu-la o canvieu-li el nom per a activar aquest mòdul. CactusNumRefModelDesc1=Retorna un número amb format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a devolucions i %syymm-nnnn per a factures de dipòsits anticipats on yy es l'any, mm és el mes i nnnn és una seqüència sense ruptura i sense retorn a 0 EarlyClosingReason=Motiu de tancament anticipat EarlyClosingComment=Nota de tancament anticipat diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 6d7ac837c78..ca0c7d9e6b7 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -55,7 +55,7 @@ BoxTitleFunnelOfProspection=Oportunitat embut FailedToRefreshDataInfoNotUpToDate=No s'ha pogut actualitzar el flux RSS. Última data d'actualització amb èxit: %s LastRefreshDate=Última data que es va refrescar NoRecordedBookmarks=No hi ha marcadors personals. -ClickToAdd=Feu clic aquí per afegir. +ClickToAdd=Feu clic aquí per a afegir. NoRecordedCustomers=Cap client registrat NoRecordedContacts=Cap contacte registrat NoActionsToDo=Sense esdeveniments a realitzar diff --git a/htdocs/langs/ca_ES/cashdesk.lang b/htdocs/langs/ca_ES/cashdesk.lang index fbc87a00e27..989d1702f9f 100644 --- a/htdocs/langs/ca_ES/cashdesk.lang +++ b/htdocs/langs/ca_ES/cashdesk.lang @@ -32,7 +32,7 @@ ShowStock=Veure magatzem DeleteArticle=Feu clic per treure aquest article FilterRefOrLabelOrBC=Cerca (Ref/Etiq.) UserNeedPermissionToEditStockToUsePos=Es demana disminuir l'estoc en la creació de la factura, de manera que l'usuari que utilitza el TPV ha de tenir permís per editar l'estoc. -DolibarrReceiptPrinter=Impressora de tickets de Dolibarr +DolibarrReceiptPrinter=Impressora de tiquets de Dolibarr PointOfSale=Punt de venda PointOfSaleShort=TPV CloseBill=Tanca el compte @@ -51,7 +51,7 @@ TheoricalAmount=Import teòric RealAmount=Import real CashFence=Tancament de caixa CashFenceDone=Tancament de caixa realitzat pel període -NbOfInvoices=Nº de factures +NbOfInvoices=Nombre de factures Paymentnumpad=Tipus de pad per introduir el pagament Numberspad=Números Pad BillsCoinsPad=Pad de monedes i bitllets @@ -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=Agrupar IVA per tipus als tickets/rebuts -AutoPrintTickets=Imprimir automàticament tickets/rebuts -PrintCustomerOnReceipts=Imprimir el client als tickets/rebuts +TicketVatGrouped=Agrupa IVA per tipus als tiquets|rebuts +AutoPrintTickets=Imprimeix automàticament els tiquets|rebuts +PrintCustomerOnReceipts=Imprimeix el client als tiquets|rebuts EnableBarOrRestaurantFeatures=Habiliteu funcions per a bar o restaurant ConfirmDeletionOfThisPOSSale=Confirmeu la supressió de la venda actual? ConfirmDiscardOfThisPOSSale=Voleu descartar aquesta venda actual? diff --git a/htdocs/langs/ca_ES/commercial.lang b/htdocs/langs/ca_ES/commercial.lang index 6dbcc4f80cd..ce0aee13e4a 100644 --- a/htdocs/langs/ca_ES/commercial.lang +++ b/htdocs/langs/ca_ES/commercial.lang @@ -6,7 +6,7 @@ Customers=Clients Prospect=Client potencial Prospects=Clients potencials DeleteAction=Elimina un esdeveniment -NewAction=Nou esdeveniment +NewAction=Esdeveniment nou AddAction=Crea esdeveniment AddAnAction=Crea un esdeveniment AddActionRendezVous=Crear una cita @@ -33,7 +33,7 @@ LastDoneTasks=Últimes %s accions acabades LastActionsToDo=Les %s més antigues accions no completades DoneAndToDoActions=Llista d'esdeveniments realitzats o a realitzar DoneActions=Llista d'esdeveniments realitzats -ToDoActions=Llista d'esdevenimentss incomplets +ToDoActions=Esdeveniments incomplets SendPropalRef=Enviament del pressupost %s SendOrderRef=Enviament de la comanda %s StatusNotApplicable=No aplicable diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index be17f07426e..0125a802bf8 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -68,8 +68,8 @@ PhoneShort=Telèfon Skype=Skype Call=Trucar Chat=Xat -PhonePro=Telf. treball -PhonePerso=Telf. particular +PhonePro=Tel. treball +PhonePerso=Tel. personal PhoneMobile=Mòbil No_Email=No enviar e-mailings massius Fax=Fax @@ -286,7 +286,7 @@ HasNoRelativeDiscountFromSupplier=No tens descomptes relatius per defecte d'aque CompanyHasAbsoluteDiscount=Aquest client té descomptes disponibles (notes de crèdit o bestretes) per %s %s CompanyHasDownPaymentOrCommercialDiscount=Aquest client té un descompte disponible (comercial, de pagament) per a %s%s CompanyHasCreditNote=Aquest client encara té abonaments per %s %s -HasNoAbsoluteDiscountFromSupplier=No tens crèdit disponible per descomptar d'aquest proveïdor +HasNoAbsoluteDiscountFromSupplier=No teniu disponible cap crèdit de descompte per aquest proveïdor HasAbsoluteDiscountFromSupplier=Disposes de descomptes (notes de crèdits o pagaments pendents) per a %s %s d'aquest proveïdor HasDownPaymentOrCommercialDiscountFromSupplier=Teniu descomptes disponibles (comercials, pagaments inicials) de %s %s d'aquest proveïdor HasCreditNoteFromSupplier=Teniu notes de crèdit per a %s %s d'aquest proveïdor @@ -398,7 +398,7 @@ ProspectsByStatus=Clients potencials per estat NoParentCompany=Cap ExportCardToFormat=Exporta fitxa a format ContactNotLinkedToCompany=Contacte no vinculat a un tercer -DolibarrLogin=Login usuari +DolibarrLogin=Nom d'usuari de Dolibarr NoDolibarrAccess=Sense accés d'usuari ExportDataset_company_1=Tercers (empreses/entitats/persones físiques) i propietats ExportDataset_company_2=Contactes i propietats diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index c4dbff76836..45b56111db9 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -132,7 +132,7 @@ NewCheckDeposit=Ingrés nou NewCheckDepositOn=Crea remesa per ingressar al compte: %s NoWaitingChecks=Sense xecs en espera de l'ingrés. DateChequeReceived=Data recepció del xec -NbOfCheques=Nº de xecs +NbOfCheques=Nombre de xecs PaySocialContribution=Pagar un impost varis ConfirmPaySocialContribution=Esteu segur de voler classificar aquest impost varis com a pagat? DeleteSocialContribution=Elimina un pagament d'impost varis @@ -189,7 +189,7 @@ LT1ReportByQuartersES=Informe per taxa de RE LT2ReportByQuartersES=Informe per taxa de IRPF SeeVATReportInInputOutputMode=Veure l'informe %sIVA pagat%s per a un mode de càlcul estàndard SeeVATReportInDueDebtMode=Veure l'informe %s IVA degut%s per a un mode de càlcul amb l'opció sobre el degut -RulesVATInServices=- Per als serveis, l'informe inclou la normativa de l'IVA rebuts o emesos en base a la data de pagament. +RulesVATInServices=- Per als serveis, l'informe inclou la normativa de l'IVA realment rebuda o emesa en funció de la data de pagament. RulesVATInProducts=- Per a actius materials, l'informe inclou l'IVA rebut o emès a partir de la data de pagament. RulesVATDueServices=- Per als serveis, l'informe inclou l'IVA de les factures degudes, pagades o no basant-se en la data d'aquestes factures. RulesVATDueProducts=- Pel que fa als béns materials, l'informe inclou les factures de l'IVA, segons la data de facturació. @@ -261,7 +261,7 @@ PurchasebyVatrate=Compra per l'impost sobre vendes LabelToShow=Etiqueta curta 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.
+RulesPurchaseTurnoverDue=- Inclou les factures pendents del proveïdor, tant si es paguen 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 diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index fb39f111e08..3bf028988b7 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=Nº de documents en el directori +ECMNbOfDocs=Nombre de documents al directori ECMSection=Carpeta ECMSectionManual=Carpeta manual ECMSectionAuto=Carpeta automàtica diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index cb12fdd27c9..72520d6401e 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -9,7 +9,7 @@ ErrorBadMXDomain=El correu electrònic %s sembla incorrecte (el domini no té ca ErrorBadUrl=Url %s invàlida ErrorBadValueForParamNotAString=Valor incorrecte del paràmetre. Acostuma a passar quan falta la traducció. ErrorRefAlreadyExists=La referència %s ja existeix. -ErrorLoginAlreadyExists=El login %s ja existeix. +ErrorLoginAlreadyExists=El nom d'usuari %s ja existeix. ErrorGroupAlreadyExists=El grup %s ja existeix. ErrorRecordNotFound=Registre no trobat ErrorFailToCopyFile=Error al copiar l'arxiu '%s' a '%s'. @@ -23,7 +23,7 @@ ErrorFailToDeleteDir=Error en eliminar la carpeta '%s'. ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. ErrorFailToGenerateFile=Failed to generate file '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=Aquest contacte ja està definit com a contacte per a aquest tipus. -ErrorCashAccountAcceptsOnlyCashMoney=Aquesta compte bancari és de tipus caixa i només accepta el mètode de pagament de tipus espècie. +ErrorCashAccountAcceptsOnlyCashMoney=Aquest compte bancari és un compte d'efectiu, de manera que només accepta pagaments de tipus efectiu. ErrorFromToAccountsMustDiffers=El compte origen i destinació han de ser diferents. ErrorBadThirdPartyName=Valor incorrecte per al nom de tercers ErrorProdIdIsMandatory=El %s es obligatori @@ -61,7 +61,7 @@ ErrorDirAlreadyExists=Ja existeix una carpeta amb aquest nom. ErrorFileAlreadyExists=Ja existeix un fitxer amb aquest nom. ErrorPartialFile=Arxiu no rebut íntegrament pel servidor. ErrorNoTmpDir=Directori temporal de recepció %s inexistent -ErrorUploadBlockedByAddon=Pujada bloquejada per un plugin PHP/Apache. +ErrorUploadBlockedByAddon=Càrrega bloquejada per un connector PHP/Apache. ErrorFileSizeTooLarge=La mida del fitxer és massa gran. ErrorFieldTooLong=El camp %s és massa llarg. ErrorSizeTooLongForIntType=Longitud del camp massa llarg per al tipus int (màxim %s xifres) @@ -79,7 +79,7 @@ ErrorLDAPSetupNotComplete=La configuració Dolibarr-LDAP és incompleta. ErrorLDAPMakeManualTest=S'ha generat un fitxer .ldif al directori %s. Proveu de carregar-lo manualment des de la línia de comandes per a obtenir més informació sobre els errors. ErrorCantSaveADoneUserWithZeroPercentage=No es pot desar una acció amb "estat no iniciat" si el camp "fet per" també s'omple. ErrorRefAlreadyExists=La referència %s ja existeix. -ErrorPleaseTypeBankTransactionReportName=Si us plau, tecleja el nom del extracte bancari on s'informa del registre (format AAAAMM o AAAAMMDD) +ErrorPleaseTypeBankTransactionReportName=Introduïu el nom de l’extracte bancari on s’ha d’informar de l’entrada (format AAAAAMM o AAAAAMMDD) ErrorRecordHasChildren=No s'ha pogut eliminar el registre, ja que té alguns registres fills. ErrorRecordHasAtLeastOneChildOfType=L'objecte té almenys un fill de tipus %s ErrorRecordIsUsedCantDelete=No es pot eliminar el registre. Ja s'utilitza o s'inclou en un altre objecte. @@ -175,7 +175,7 @@ ErrorTryToMakeMoveOnProductRequiringBatchData=Error, intentant fer un moviment d ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Totes les recepcions han de verificar-se primer (acceptades o denegades) abans per realitzar aquesta acció ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Totes les recepcions han de verificar-se (acceptades) abans per poder-se realitzar a aquesta acció ErrorGlobalVariableUpdater0=Petició HTTP fallida amb error '%s' -ErrorGlobalVariableUpdater1=Format JSON '%s' invalid +ErrorGlobalVariableUpdater1=Format JSON no vàlid "%s" ErrorGlobalVariableUpdater2=Falta el paràmetre '%s' ErrorGlobalVariableUpdater3=No s'han trobat les dades sol·licitades ErrorGlobalVariableUpdater4=El client SOAP ha fallat amb l'error '%s' @@ -209,7 +209,7 @@ ErrorModuleFileSeemsToHaveAWrongFormat2=Al ZIP d'un mòdul ha d'haver necessàri ErrorFilenameDosNotMatchDolibarrPackageRules=El nom de l'arxiu del mòdul (%s) no coincideix amb la sintaxi del nom esperat: %s ErrorDuplicateTrigger=Error, nom de disparador %s duplicat. Ja es troba carregat des de %s. ErrorNoWarehouseDefined=Error, no hi ha magatzems definits. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. +ErrorBadLinkSourceSetButBadValueForRef=L'enllaç que utilitzeu no és vàlid. Es defineix una "font" de pagament, però el valor de "ref" no és vàlid. ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=No és possible la validació massiva quan s'estableix l'opció d'augmentar/disminuir l'estoc en aquesta acció (cal validar-ho un per un per poder definir el magatzem a augmentar/disminuir) ErrorObjectMustHaveStatusDraftToBeValidated=L'objecte %s ha de tenir l'estat 'Esborrany' per ser validat. @@ -276,7 +276,7 @@ WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funcionalitat deshabilita WarningPaymentDateLowerThanInvoiceDate=La data de pagament (%s) és anterior a la data (%s) de la factura %s. WarningTooManyDataPleaseUseMoreFilters=Massa dades (més de %s línies). Utilitza més filtres o indica la constant %s amb un límit superior. WarningSomeLinesWithNullHourlyRate=Algunes vegades es van registrar per alguns usuaris quan no s'havia definit el seu preu per hora. Es va utilitzar un valor de 0 %s per hora, però això pot resultar una valoració incorrecta del temps dedicat. -WarningYourLoginWasModifiedPleaseLogin=El teu login s'ha modificat. Per seguretat has de fer login amb el nou login abans de la següent acció. +WarningYourLoginWasModifiedPleaseLogin=El vostre nom d'usuari s'ha modificat. Per motius de seguretat, haureu d'iniciar sessió amb el vostre nou nom d'usuari abans de la propera acció. WarningAnEntryAlreadyExistForTransKey=Ja existeix una entrada per la clau de traducció d'aquest idioma WarningNumberOfRecipientIsRestrictedInMassAction=Advertència: el nombre de destinataris diferents està limitat a %s quan s'utilitzen les accions massives a les llistes. WarningDateOfLineMustBeInExpenseReportRange=Advertència, la data de la línia no està dins del rang de l'informe de despeses diff --git a/htdocs/langs/ca_ES/exports.lang b/htdocs/langs/ca_ES/exports.lang index 40abe119e07..2e8e4deaa14 100644 --- a/htdocs/langs/ca_ES/exports.lang +++ b/htdocs/langs/ca_ES/exports.lang @@ -118,7 +118,7 @@ EndAtLineNb=Final en el número de línia ImportFromToLine=Interval límit (Des de - Fins a). Per exemple per a ometre les línies de capçalera. SetThisValueTo2ToExcludeFirstLine=Per exemple, estableixi aquest valor a 3 per excloure les 2 primeres línies.
Si no s'ometen les línies de capçalera, això provocarà diversos errors en la simulació d'importació. KeepEmptyToGoToEndOfFile=Mantingueu aquest camp buit per a processar totes les línies fins al final del fitxer. -SelectPrimaryColumnsForUpdateAttempt=Seleccioneu les columnes que s'utilitzaran com a clau principal per a una importació UPDATE +SelectPrimaryColumnsForUpdateAttempt=Seleccioneu les columnes que vulgueu utilitzar com a clau principal per a la importació d'ACTUALITZACIÓ UpdateNotYetSupportedForThisImport=L'actualització no és compatible amb aquest tipus d'importació (només afegir) NoUpdateAttempt=No s'ha realitzat cap intent d'actualització, només afegir ImportDataset_user_1=Usuaris (empleats o no) i propietats diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index 699105808bb..253c738b934 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -22,7 +22,7 @@ UserID=ID d'usuari UserForApprovalID=Usuari per al ID d'aprovació UserForApprovalFirstname=Nom de l'usuari d'aprovació UserForApprovalLastname=Cognom de l'usuari d'aprovació -UserForApprovalLogin=Login de l'usuari d'aprovació +UserForApprovalLogin=Nom d'usuari de l’usuari d’aprovació DescCP=Descripció SendRequestCP=Enviar la petició de dies lliures DelayToRequestCP=Les peticions de dies lliures s'han de realitzar al menys %s dies abans. @@ -127,8 +127,8 @@ NoLeaveWithCounterDefined=No s'han definit els tipus de dies lliures que son nec GoIntoDictionaryHolidayTypes=Ves a Inici - Configuració - Diccionaris - Tipus de dies lliures per configurar els diferents tipus de dies lliures HolidaySetup=Configuració del mòdul Vacances HolidaysNumberingModules=Models numerats de sol·licituds de dies lliures -TemplatePDFHolidays=Plantilla de sol · licitud de dies lliures en PDF +TemplatePDFHolidays=Plantilla per a sol·licituds de permisos en PDF FreeLegalTextOnHolidays=Text gratuït a PDF WatermarkOnDraftHolidayCards=Marques d'aigua sobre esborranys de sol·licituds de dies lliures -HolidaysToApprove=Vacances per aprovar +HolidaysToApprove=Vacances per a aprovar NobodyHasPermissionToValidateHolidays=Ningú no té permís per a validar les vacances diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 7fbc7a86898..485ed64c1c8 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -89,7 +89,7 @@ GoToUpgradePage=Ves de nou a la pàgina d'actualització WithNoSlashAtTheEnd=Sense el signe "/" al final DirectoryRecommendation=  IMPORTANT : Heu d'utilitzar un directori que es troba fora de les pàgines web (no utilitzeu un subdirector del paràmetre anterior). LoginAlreadyExists=Ja existeix -DolibarrAdminLogin=Login de l'usuari administrador de Dolibarr +DolibarrAdminLogin=Nom d'usuari d’administrador de Dolibarr AdminLoginAlreadyExists=El compte d'administrador de Dolibarr ' %s ' ja existeix. Torneu enrere si voleu crear un altre. FailedToCreateAdminLogin=No s'ha pogut crear el compte d'administrador de Dolibarr. WarningRemoveInstallDir=Advertiment, per motius de seguretat, un cop finalitzada la instal·lació o actualització, heu d'afegir un fitxer anomenat install.lock al directori del document Dolibarr per a evitar l'ús accidental / malintencionat de les eines d'instal·lació. @@ -126,8 +126,8 @@ MigrateIsDoneStepByStep=La versió específica (%s) té un buit de diverses vers CheckThatDatabasenameIsCorrect=Comproveu que el nom de la base de dades " %s " sigui correcte. IfAlreadyExistsCheckOption=Si el nom és correcte i la base de dades no existeix, heu de seleccionar l'opció "Crear la base de dades" OpenBaseDir=Paràmetre php openbasedir -YouAskToCreateDatabaseSoRootRequired=Heu marcat el quadre "Crea una base de dades". Per això, heu de proporcionar el login / contrasenya del superusuari (part inferior del formulari). -YouAskToCreateDatabaseUserSoRootRequired=Heu marcat el quadre "Crea propietari de la base de dades". Per això, heu de proporcionar el login / contrasenya del superusuari (part inferior del formulari). +YouAskToCreateDatabaseSoRootRequired=Heu marcat el quadre "Crea una base de dades". Per això, heu de proporcionar el nom d'usuari / contrasenya del superusuari (part inferior del formulari). +YouAskToCreateDatabaseUserSoRootRequired=Heu marcat el quadre "Crea propietari de la base de dades". Per això, heu de proporcionar el nom d'usuari / contrasenya del superusuari (part inferior del formulari). NextStepMightLastALongTime=El següent pas pot trigar diversos minuts. Després d'haver validat, li agraïm esperi a la completa visualització de la pàgina següent per continuar. MigrationCustomerOrderShipping=Migració de dades d'enviament de comandes de venda MigrationShippingDelivery=Actualització de les dades d'enviaments @@ -184,7 +184,7 @@ MigrationReopenedContractsNumber=%s contractes modificats MigrationReopeningContractsNothingToUpdate=No hi ha contractes tancats per a obrir MigrationBankTransfertsUpdate=Actualitza l'enllaç entre el registre bancari i la transferència bancària MigrationBankTransfertsNothingToUpdate=Cap vincle desfasat -MigrationShipmentOrderMatching=Actualitzar rebuts de lliurament +MigrationShipmentOrderMatching=Actualització de rebuts d'enviaments MigrationDeliveryOrderMatching=Actualitzar rebuts d'entrega MigrationDeliveryDetail=Actualitzar recepcions MigrationStockDetail=Actualitza el valor de l'estoc dels productes diff --git a/htdocs/langs/ca_ES/interventions.lang b/htdocs/langs/ca_ES/interventions.lang index 24cc1fd4acb..242a537dcc8 100644 --- a/htdocs/langs/ca_ES/interventions.lang +++ b/htdocs/langs/ca_ES/interventions.lang @@ -48,8 +48,8 @@ UseServicesDurationOnFichinter=Utilitza la durada dels serveis en les intervenci UseDurationOnFichinter=Oculta el camp de durada dels registres d'intervenció UseDateWithoutHourOnFichinter=Oculta hores i minuts del camp de dates dels registres d'intervenció InterventionStatistics=Estadístiques de intervencions -NbOfinterventions=Nº de fitxes d'intervenció -NumberOfInterventionsByMonth=Nº de fitxes d'intervenció per mes (data de validació) +NbOfinterventions=Nombre de fitxers d’intervenció +NumberOfInterventionsByMonth=Nombre 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. InterId=Id. d'intervenció InterRef=Ref. d'intervenció diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index c0c06305804..9f5bc2a6b83 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -50,7 +50,7 @@ ConfirmValidMailing=Vols validar aquest E-Mailing? ConfirmResetMailing=Advertència, reiniciant el correu electrònic %s , permetrà tornar a enviar aquest correu electrònic en un correu a granel. Estàs segur que vols fer això? ConfirmDeleteMailing=Esteu segur que voleu suprimir aquesta adreça electrònica? NbOfUniqueEMails=Nombre de correus electrònics exclusius -NbOfEMails=Nº d'E-mails +NbOfEMails=Nombre de correus electrònics TotalNbOfDistinctRecipients=Nombre de destinataris únics NoTargetYet=Cap destinatari definit NoRecipientEmail=No hi ha cap correu electrònic destinatari per a %s @@ -112,7 +112,7 @@ ConfirmSendingEmailing=Si voleu enviar correus electrònics directament des d'aq LimitSendingEmailing=Nota: L'enviament de missatges massius de correu electrònic des de la interfície web es realitza diverses vegades per motius de seguretat i temps d'espera, %s als destinataris de cada sessió d'enviament. TargetsReset=Buidar llista ToClearAllRecipientsClickHere=Per buidar la llista dels destinataris d'aquest E-Mailing, feu clic al botó -ToAddRecipientsChooseHere=Per afegir destinataris, escolliu els que figuren en les llistes a continuació +ToAddRecipientsChooseHere=Afegiu destinataris escollint entre les llistes NbOfEMailingsReceived=E-Mailings en massa rebuts NbOfEMailingsSend=E-mails massius enviats IdRecord=ID registre @@ -135,7 +135,7 @@ ListOfActiveNotifications=Llista totes les subscripcions actives (destinataris/e ListOfNotificationsDone=Llista totes les notificacions automàtiques enviades per correu electrònic MailSendSetupIs=La configuració d'enviament d'e-mail s'ha ajustat a '%s'. Aquest mètode no es pot utilitzar per enviar e-mails massius. MailSendSetupIs2=Primer heu d’anar, amb un compte d’administrador, al menú %sInici - Configuració - Correus electrònics%s per canviar el paràmetre '%s' per utilitzar el mode '%s'. Amb aquest mode, podeu introduir la configuració del servidor SMTP proporcionat pel vostre proveïdor de serveis d'Internet i utilitzar la funció de correu electrònic massiu. -MailSendSetupIs3=Si te preguntes de com configurar el seu servidor SMTP, pot contactar amb %s. +MailSendSetupIs3=Si teniu cap pregunta sobre com configurar el servidor SMTP, podeu demanar-li a %s. YouCanAlsoUseSupervisorKeyword=També pot afegir l'etiqueta __SUPERVISOREMAIL__ per tenir un e-mail enviat pel supervisor a l'usuari (només funciona si un e-mail és definit per aquest supervisor) NbOfTargetedContacts=Nombre actual de correus electrònics de contactes destinataris UseFormatFileEmailToTarget=El fitxer importat ha de tenir el format email;nom;cognom;altre diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index 88880d9e53b..f780dfa3459 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -84,7 +84,7 @@ FileUploaded=L'arxiu s'ha carregat correctament FileTransferComplete=El(s) fitxer(s) s'han carregat correctament FilesDeleted=El(s) fitxer(s) s'han eliminat correctament FileWasNotUploaded=Un arxiu ha estat seleccionat per adjuntar, però encara no ha estat pujat. Feu clic a "Adjuntar aquest arxiu" per a això. -NbOfEntries=Nº d'entrades +NbOfEntries=Nombre d'entrades GoToWikiHelpPage=Llegiu l'ajuda en línia (cal tenir accés a Internet) GoToHelpPage=Consultar l'ajuda DedicatedPageAvailable=Hi ha una pàgina d’ajuda dedicada relacionada amb la pantalla actual @@ -522,7 +522,7 @@ Draft=Esborrany Drafts=Esborranys StatusInterInvoiced=Facturat Validated=Validat -ValidatedToProduce=Validat (per produir) +ValidatedToProduce=Validat (per a produir) Opened=Actiu OpenAll=Obre (tot) ClosedAll=Tancat (tot) @@ -554,11 +554,11 @@ Photos=Fotos AddPhoto=Afegeix una imatge DeletePicture=Elimina la imatge ConfirmDeletePicture=Confirmes l'eliminació de la imatge? -Login=Login +Login=Nom d'usuari LoginEmail=Codi d'usuari (correu electrònic) LoginOrEmail=Codi d'usuari o correu electrònic -CurrentLogin=Login actual -EnterLoginDetail=Introduir detalls del login +CurrentLogin=Nom d'usuari actual +EnterLoginDetail=Introduïu les dades d'inici de sessió January=gener February=febrer March=març @@ -1062,7 +1062,7 @@ ValidUntil=Vàlid fins NoRecordedUsers=No hi ha usuaris ToClose=Per tancar ToProcess=A processar -ToApprove=Per aprovar +ToApprove=Per a aprovar GlobalOpenedElemView=Vista global NoArticlesFoundForTheKeyword=No s'ha trobat cap article per a la paraula clau " %s " NoArticlesFoundForTheCategory=No s'ha trobat cap article per a la categoria @@ -1113,7 +1113,7 @@ OutOfDate=Obsolet EventReminder=Recordatori d'esdeveniments UpdateForAllLines=Actualització per a totes les línies OnHold=Fora de servei -AffectTag=Affect Tag -ConfirmAffectTag=Bulk Tag Affect -ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +AffectTag=Afecta l'etiqueta +ConfirmAffectTag=Afecta l'etiqueta massivament +ConfirmAffectTagQuestion=Esteu segur que voleu afectar les etiquetes als registres seleccionats %s? +CategTypeNotFound=No s'ha trobat cap tipus d'etiqueta per al tipus de registres diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang index f2a3b4f400b..7fe30fe8322 100644 --- a/htdocs/langs/ca_ES/members.lang +++ b/htdocs/langs/ca_ES/members.lang @@ -11,13 +11,13 @@ MembersTickets=Etiquetes de socis FundationMembers=Socis de l'entitat ListOfValidatedPublicMembers=Llistat de socis públics validats ErrorThisMemberIsNotPublic=Aquest soci no és públic -ErrorMemberIsAlreadyLinkedToThisThirdParty=Un altre soci (nom: %s, login: %s) està vinculat al tercer %s. Esborreu l'enllaç existent ja que un tercer només pot estar vinculat a un sol soci (i viceversa). +ErrorMemberIsAlreadyLinkedToThisThirdParty=Un altre soci (nom: %s, nom d'usuari: %s) ja està vinculat al tercer %s. Esborreu l'enllaç existent ja que un tercer només pot estar vinculat a un sol soci (i viceversa). ErrorUserPermissionAllowsToLinksToItselfOnly=Per raons de seguretat, ha de posseir els drets de modificació de tots els usuaris per poder vincular un soci a un usuari que no sigui vostè mateix. SetLinkToUser=Vincular a un usuari Dolibarr SetLinkToThirdParty=Vincular a un tercer Dolibarr MembersCards=Carnets de socis MembersList=Llistat de socis -MembersListToValid=Llistat de socis esborrany (per validar) +MembersListToValid=Llistat de socis esborrany (per a validar) MembersListValid=Llistat de socis validats MembersListUpToDate=Llista de socis vàlids amb quotes al dia MembersListNotUpToDate=Llista de socis vàlids amb quotes pendents @@ -34,7 +34,7 @@ EndSubscription=Final d'afiliació SubscriptionId=ID d'afiliació WithoutSubscription=Sense afiliació MemberId=ID de soci -NewMember=Nou soci +NewMember=Soci nou MemberType=Tipus de soci MemberTypeId=ID de tipus de soci MemberTypeLabel=Etiqueta de tipus de soci @@ -54,8 +54,8 @@ MembersStatusResiliated=Socis donats de baixa MemberStatusNoSubscription=Validat (no cal subscripció) MemberStatusNoSubscriptionShort=Validat SubscriptionNotNeeded=No cal subscripció -NewCotisation=Nova aportació -PaymentSubscription=Nou pagament de quota +NewCotisation=Aportació nova +PaymentSubscription=Pagament de quota nou SubscriptionEndDate=Data final d'afiliació MembersTypeSetup=Configuració dels tipus de socis MemberTypeModified=Tipus de soci modificat @@ -63,8 +63,8 @@ DeleteAMemberType=Elimina un tipus de soci ConfirmDeleteMemberType=Estàs segur de voler eliminar aquest tipus de soci? MemberTypeDeleted=Tipus de soci eliminat MemberTypeCanNotBeDeleted=El tipus de soci no es pot eliminar -NewSubscription=Nova afiliació -NewSubscriptionDesc=Utilitzi aquest formulari per registrar-se com un nou soci de l'entitat. Per a una renovació (si ja és soci) poseu-vos en contacte amb l'entitat mitjançant l'e-mail %s. +NewSubscription=Afiliació nova +NewSubscriptionDesc=Aquest formulari us permet registrar la vostra afiliació com a soci nou de l'entitat. Si voleu renovar l'afiliació (si ja sou soci), poseu-vos en contacte amb el gestor de l'entitat per correu electrònic %s. Subscription=Afiliació Subscriptions=Afiliacions SubscriptionLate=En retard @@ -73,7 +73,7 @@ ListOfSubscriptions=Llista d'afiliacions SendCardByMail=Enviar una targeta per correu electrònic AddMember=Crea soci NoTypeDefinedGoToSetup=No s'ha definit cap tipus de soci. Ves al menú "Tipus de socis" -NewMemberType=Nou tipus de soci +NewMemberType=Tipus de soci nou WelcomeEMail=Correu electrònic de benvinguda SubscriptionRequired=Subjecte a cotització DeleteType=Elimina @@ -120,7 +120,7 @@ SendingReminderActionComm=Enviament de recordatori de l’esdeveniment de l’ag # Topic of email templates YourMembershipRequestWasReceived=S'ha rebut la vostra subscripció. YourMembershipWasValidated=S'ha validat la vostra subscripció -YourSubscriptionWasRecorded=S'ha registrat la vostra nova subscripció +YourSubscriptionWasRecorded=S'ha registrat la vostra afiliació nova SubscriptionReminderEmail=Recordatori de subscripció YourMembershipWasCanceled=S'ha cancel·lat la vostra pertinença CardContent=Contingut de la seva fitxa de soci @@ -179,10 +179,10 @@ LatestSubscriptionDate=Data de l'última afiliació MemberNature=Naturalesa del membre MembersNature=Naturalesa dels socis Public=Informació pública -NewMemberbyWeb=S'ha afegit un nou soci. A l'espera d'aprovació -NewMemberForm=Formulari d'inscripció +NewMemberbyWeb=S'ha afegit un soci nou. Esperant l'aprovació +NewMemberForm=Formulari de soci nou SubscriptionsStatistics=Estadístiques de cotitzacions -NbOfSubscriptions=Nombre de cotitzacions +NbOfSubscriptions=Nombre d'afiliacions AmountOfSubscriptions=Import de cotitzacions TurnoverOrBudget=Volum de vendes (empresa) o Pressupost (associació o col.lectiu) DefaultAmount=Import per defecte cotització diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 089377fa6bf..275cdac1d5d 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -40,7 +40,7 @@ PageForCreateEditView=Pàgina PHP per crear/editar/veure un registre PageForAgendaTab=Pàgina de PHP per a la pestanya d'esdeveniments PageForDocumentTab=Pàgina de PHP per a la pestanya de documents PageForNoteTab=Pàgina de PHP per a la pestanya de notes -PageForContactTab=PHP page for contact tab +PageForContactTab=Pàgina PHP per a la pestanya de contacte PathToModulePackage=Ruta al zip del paquet del mòdul/aplicació PathToModuleDocumentation=Camí al fitxer de la documentació del mòdul / aplicació (%s) SpaceOrSpecialCharAreNotAllowed=Els espais o caràcters especials no estan permesos. @@ -128,7 +128,7 @@ UseSpecificFamily = Utilitzeu una família específica UseSpecificAuthor = Utilitzeu un autor específic UseSpecificVersion = Utilitzeu una versió inicial específica IncludeRefGeneration=La referència de l’objecte s’ha de generar automàticament -IncludeRefGenerationHelp=Marca-ho si vols incloure codi per gestionar la generació automàtica de la referència +IncludeRefGenerationHelp=Marca-ho si vols incloure codi per a gestionar la generació automàtica de la referència IncludeDocGeneration=Vull generar alguns documents des de l'objecte IncludeDocGenerationHelp=Si ho marques, es generarà el codi per afegir una casella "Generar document" al registre. ShowOnCombobox=Mostra el valor en un combobox @@ -140,4 +140,4 @@ TypeOfFieldsHelp=Tipus de camps:
varchar(99), double (24,8), real, text, ht AsciiToHtmlConverter=Convertidor Ascii a HTML AsciiToPdfConverter=Convertidor Ascii a PDF TableNotEmptyDropCanceled=La taula no està buida. S'ha cancel·lat l'eliminació. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. +ModuleBuilderNotAllowed=El creador de mòduls està disponible però no permès al vostre usuari. diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang index 29171a2eef4..907bdd872b3 100644 --- a/htdocs/langs/ca_ES/mrp.lang +++ b/htdocs/langs/ca_ES/mrp.lang @@ -1,7 +1,7 @@ Mrp=Ordres de fabricació MOs=Ordres de fabricació ManufacturingOrder=Ordre de fabricació -MRPDescription=Mòdul per gestionar Ordres de Fabricació o producció (OF). +MRPDescription=Mòdul per a gestionar Ordres de producció i fabricació (OF). MRPArea=Àrea MRP MrpSetupPage=Configuració del mòdul MRP MenuBOM=Llistes de material @@ -34,7 +34,7 @@ ConfirmDeleteBillOfMaterials=Estàs segur que vols suprimir aquesta llista de ma ConfirmDeleteMo=Esteu segur que voleu suprimir aquesta factura de material? MenuMRP=Ordres de fabricació NewMO=Ordre de fabricació nova -QtyToProduce=Quantitat per produir +QtyToProduce=Quantitat a produir DateStartPlannedMo=Data d’inici prevista DateEndPlannedMo=Data prevista de finalització KeepEmptyForAsap=Buit significa "Tan aviat com sigui possible" @@ -62,7 +62,7 @@ ConsumeOrProduce=Consumir o Produir ConsumeAndProduceAll=Consumir i produir tot Manufactured=Fabricat TheProductXIsAlreadyTheProductToProduce=El producte a afegir ja és el producte a produir. -ForAQuantityOf=Per produir una quantitat de %s +ForAQuantityOf=Per a 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 @@ -70,7 +70,7 @@ AutoCloseMO=Tancar automàticament l’Ordre de Fabricació si s’arriba a les NoStockChangeOnServices=Sense canvi d’estoc en serveis ProductQtyToConsumeByMO=Quantitat de producte que encara es pot consumir amb OP obertes ProductQtyToProduceByMO=Quantitat de producte que encara es pot produir mitjançant OP obertes -AddNewConsumeLines=Afegiu una línia nova per consumir +AddNewConsumeLines=Afegiu una nova línia per a consumir ProductsToConsume=Productes a consumir ProductsToProduce=Productes a produir UnitCost=Cost unitari diff --git a/htdocs/langs/ca_ES/oauth.lang b/htdocs/langs/ca_ES/oauth.lang index ef6edf0d30a..95bb8384e1b 100644 --- a/htdocs/langs/ca_ES/oauth.lang +++ b/htdocs/langs/ca_ES/oauth.lang @@ -9,7 +9,7 @@ HasAccessToken=S'ha generat un token i s'ha desat en la base de dades local NewTokenStored=Token rebut i desat ToCheckDeleteTokenOnProvider=Feu clic aquí per comprovar/eliminar l'autorització desada pel proveïdor OAuth %s TokenDeleted=Token eliminat -RequestAccess=Clica aquí per demanar/renovar l'accés i rebre un nou token per desar +RequestAccess=Feu clic aquí per a sol·licitar/renovar l'accés i rebre un nou testimoni per a desar DeleteAccess=Feu clic aquí per a suprimir el testimoni UseTheFollowingUrlAsRedirectURI=Utilitzeu l'URL següent com a URI de redirecció quan creeu les vostres credencials amb el vostre proveïdor de OAuth: ListOfSupportedOauthProviders=Introduïu les credencials proporcionades pel vostre proveïdor OAuth2. Només es mostren aquí els proveïdors compatibles OAuth2. Aquests serveis poden ser utilitzats per altres mòduls que necessiten autenticació OAuth2. diff --git a/htdocs/langs/ca_ES/opensurvey.lang b/htdocs/langs/ca_ES/opensurvey.lang index a4d79dfc95d..4a88e4c8f61 100644 --- a/htdocs/langs/ca_ES/opensurvey.lang +++ b/htdocs/langs/ca_ES/opensurvey.lang @@ -19,7 +19,7 @@ SelectedDays=Dies seleccionats TheBestChoice=Actualment la millor opció és TheBestChoices=Actualment les millors opcions són with=amb -OpenSurveyHowTo=Si està d'acord per votar en aquesta enquesta, ha de donar el seu nom, triar els valors que s'ajusten millor per a vostè i validi amb el botó de més al final de la línia. +OpenSurveyHowTo=Si accepteu votar en aquesta enquesta, haureu de donar el vostre nom, escollir els valors que millor s’adapten a vosaltres i validar-los amb el botó al final de la línia. CommentsOfVoters=Comentaris dels votants ConfirmRemovalOfPoll=Està segur que desitja eliminar aquesta enquesta (i tots els vots) RemovePoll=Eliminar enquesta @@ -35,7 +35,7 @@ TitleChoice=Títol de l'opció ExportSpreadsheet=Exportar resultats a un full de càlcul ExpireDate=Data límit NbOfSurveys=Nombre d'enquestes -NbOfVoters=Nº de votants +NbOfVoters=Nombre de votants SurveyResults=Resultats PollAdminDesc=Està autoritzat per canviar totes les línies de l'enquesta amb el botó "Editar". Pot, també, eliminar una columna o una línia amb %s. També podeu afegir una nova columna amb %s. 5MoreChoices=5 opcions més @@ -58,4 +58,4 @@ MoreChoices=Introdueixi més opcions pels votants SurveyExpiredInfo=L'enquesta s'ha tancat o el temps de votació s'ha acabat. EmailSomeoneVoted=%s ha emplenat una línia.\nPot trobar la seva enquesta en l'enllaç:\n%s ShowSurvey=Mostra l'enquesta -UserMustBeSameThanUserUsedToVote=Per publicar un comentari has d'utilitzar el mateix nom d'usuari que l'utilitzat per votar. +UserMustBeSameThanUserUsedToVote=Per a publicar un comentari, heu d'haver votat i utilitzar el mateix nom d'usuari utilitzat per a votar diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index 7e4434c3a27..a840d554c15 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -37,7 +37,7 @@ StatusOrderOnProcessShort=Comanda StatusOrderProcessedShort=Processada StatusOrderDelivered=Entregada StatusOrderDeliveredShort=Entregada -StatusOrderToBillShort=Emès +StatusOrderToBillShort=Lliurat StatusOrderApprovedShort=Aprovada StatusOrderRefusedShort=Rebutjada StatusOrderToProcessShort=A processar @@ -49,7 +49,7 @@ StatusOrderValidated=Validada StatusOrderOnProcess=Comanda - En espera de recepció StatusOrderOnProcessWithValidation=Comanda - A l'espera de rebre o validar StatusOrderProcessed=Processada -StatusOrderToBill=Emès +StatusOrderToBill=Lliurat StatusOrderApproved=Aprovada StatusOrderRefused=Rebutjada StatusOrderReceivedPartially=Rebuda parcialment @@ -110,7 +110,7 @@ ActionsOnOrder=Esdeveniments sobre la comanda NoArticleOfTypeProduct=No hi ha cap article del tipus "producte", de manera que no es pot enviar cap article per a aquesta comanda OrderMode=Mètode de comanda AuthorRequest=Autor/Sol·licitant -UserWithApproveOrderGrant=Usuaris habilitats per aprovar les comandes +UserWithApproveOrderGrant=Usuaris amb permís "aprovar comandes". PaymentOrderRef=Pagament comanda %s ConfirmCloneOrder=Vols clonar aquesta comanda %s? DispatchSupplierOrder=Recepció de l'ordre de compra %s diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index a5e732c9647..77a93f1499e 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -77,7 +77,8 @@ Notify_TASK_DELETE=Tasca eliminada Notify_EXPENSE_REPORT_VALIDATE=Informe de despeses validat (cal aprovar) Notify_EXPENSE_REPORT_APPROVE=Informe de despeses aprovat Notify_HOLIDAY_VALIDATE=Sol·licitud de sol licitud validada (cal aprovar) -Notify_HOLIDAY_APPROVE=Deixa la sol · licitud aprovada +Notify_HOLIDAY_APPROVE=Sol·licitud de permís aprovada +Notify_ACTION_CREATE=S'ha afegit l'acció a l'Agenda SeeModuleSetup=Vegi la configuració del mòdul %s NbOfAttachedFiles=Número arxius/documents adjunts TotalSizeOfAttachedFiles=Mida total dels arxius/documents adjunts @@ -119,11 +120,11 @@ ModifiedById=Id de l'usuari que ha fet l'últim canvi ValidatedById=ID d'usuari que a validat CanceledById=ID d'usuari que ha cancel·lat ClosedById=ID d'usuari que a tancat -CreatedByLogin=Login d'usuari que a creat +CreatedByLogin=Usuari que ha creat ModifiedByLogin=Codi d'usuari que ha fet l'últim canvi -ValidatedByLogin=Login d'usuari que ha validat -CanceledByLogin=Login d'usuari que ha cancel·lat -ClosedByLogin=Login d'usuari que a tancat +ValidatedByLogin=Usuari que ha validat +CanceledByLogin=Usuari que ha cancel·lat +ClosedByLogin=Usuari que ha tancat FileWasRemoved=L'arxiu %s s'ha eliminat DirWasRemoved=La carpeta %s s'ha eliminat FeatureNotYetAvailable=Funcionalitat encara no disponible en aquesta versió @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=L'informe de despeses %s ha estat validat. EMailTextExpenseReportApproved=S'ha aprovat l'informe de despeses %s. EMailTextHolidayValidated=S'ha validat la sol licitud %s. EMailTextHolidayApproved=S'ha aprovat la sol licitud %s. +EMailTextActionAdded=L'acció %s s'ha afegit a l'agenda. ImportedWithSet=Lot d'importació (import key) DolibarrNotification=Notificació automàtica ResizeDesc=Introduïu l'ample O la nova alçada. La relació es conserva en canviar la mida... @@ -234,7 +236,7 @@ AddFiles=Afegeix arxius StartUpload=Transferir CancelUpload=Cancel·lar transferència FileIsTooBig=L'arxiu és massa gran -PleaseBePatient=Preguem esperi uns instants... +PleaseBePatient=Si us plau sigui pacient... NewPassword=Contrasenya nova ResetPassword=Restablir la contrasenya RequestToResetPasswordReceived=S'ha rebut una sol·licitud per canviar la teva contrasenya. @@ -259,7 +261,7 @@ ContactCreatedByEmailCollector=Contacte / adreça creada pel recollidor de corre ProjectCreatedByEmailCollector=Projecte creat pel recollidor de correus electrònics MSGID %s TicketCreatedByEmailCollector=Tiquet creat pel recollidor de correus electrònics MSGID %s OpeningHoursFormatDesc=Utilitzeu a - per separar l’horari d’obertura i tancament.
Utilitzeu un espai per introduir diferents intervals.
Exemple: 8-12 14-18 -PrefixSession=Prefix for session ID +PrefixSession=Prefix per a l'identificador de sessió ##### Export ##### ExportsArea=Àrea d'exportacions diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index 1bd732c8479..6be976d0f52 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -80,7 +80,7 @@ PurchasedAmount=Import comprat NewPrice=Preu nou MinPrice=Min. preu de venda EditSellingPriceLabel=Edita l'etiqueta de preu de venda -CantBeLessThanMinPrice=El preu de venda no ha de ser inferior al mínim per a aquest producte (%s sense IVA). Aquest missatge pot estar causat per un descompte molt gran. +CantBeLessThanMinPrice=El preu de venda no pot ser inferior al mínim permès per a aquest producte (%s sense IVA). Aquest missatge també pot aparèixer si escriviu un descompte massa gran. ContractStatusClosed=Tancat ErrorProductAlreadyExists=Un producte amb la referència %s ja existeix. ErrorProductBadRefOrLabel=El valor de la referència o etiqueta és incorrecte @@ -108,7 +108,7 @@ FillWithLastServiceDates=Emplena les dates de l'última línia de servei MultiPricesAbility=Segments de preus múltiples per producte / servei (cada client està en un segment de preus) MultiPricesNumPrices=Nombre de preus DefaultPriceType=Base de preus per defecte (contra impostos) en afegir preus de venda nous -AssociatedProductsAbility=Activa els kits (conjunt d'altres productes) +AssociatedProductsAbility=Activa els kits (conjunt de diversos productes) VariantsAbility=Activa les variants (variacions de productes, per exemple, color, mida) AssociatedProducts=Kits AssociatedProductsNumber=Nombre de productes que componen aquest kit @@ -138,7 +138,7 @@ QtyMin=Min. quantitat de compra PriceQtyMin=Preu mínim PriceQtyMinCurrency=Preu (moneda) per aquesta quantitat (sense descompte) VATRateForSupplierProduct=Preu de l'IVA (per a aquest proveïdor/product) -DiscountQtyMin=Descompte per aquest quantitat +DiscountQtyMin=Descompte per aquesta quantitat. NoPriceDefinedForThisSupplier=Sense preu ni quantitat definida per aquest proveïdor / producte NoSupplierPriceDefinedForThisProduct=No hi ha cap preu / quantitat de proveïdor definit per a aquest producte PredefinedProductsToSell=Producte predefinit @@ -149,12 +149,12 @@ PredefinedServicesToPurchase=Serveis predefinits per comprar PredefinedProductsAndServicesToPurchase=Productes / serveis predefinits per comprar NotPredefinedProducts=Sense productes/serveis predefinits GenerateThumb=Generar l'etiqueta -ServiceNb=Servei nº %s +ServiceNb=Servei núm. %s ListProductServiceByPopularity=Llistat de productes/serveis per popularitat ListProductByPopularity=Llistat de productes/serveis per popularitat ListServiceByPopularity=Llistat de serveis per popularitat Finished=Producte fabricat -RowMaterial=Matèria prima +RowMaterial=Matèria primera ConfirmCloneProduct=Estàs segur que vols clonar el producte o servei %s? CloneContentProduct=Clona tota la informació principal del producte/servei ClonePricesProduct=Clonar preus @@ -252,7 +252,7 @@ VariantLabelExample=Exemples: Color, Talla ### composition fabrication Build=Fabricar ProductsMultiPrice=Productes i preus per cada nivell de preu -ProductsOrServiceMultiPrice=Preus de client (productes o serveis, multi-preus) +ProductsOrServiceMultiPrice=Preus per als clients (de productes o serveis, multipreus) ProductSellByQuarterHT=Facturació de productes trimestral abans d'impostos ServiceSellByQuarterHT=Facturació de serveis trimestral abans d'impostos Quarter1=1º trimestre @@ -311,10 +311,10 @@ GlobalVariableUpdaterHelpFormat1=El format per a la sol·licitud és {"URL": "ht UpdateInterval=Interval d'actualització (minuts) LastUpdated=Última actualització CorrectlyUpdated=Actualitzat correctament -PropalMergePdfProductActualFile=Els fitxers utilitzats per afegir-se en el PDF Azur són +PropalMergePdfProductActualFile=Els fitxers que s’utilitzen per a afegir-se al PDF Azur són PropalMergePdfProductChooseFile=Selecciona fitxers PDF IncludingProductWithTag=Inclòs productes/serveis amb etiqueta -DefaultPriceRealPriceMayDependOnCustomer=Preu per defecte, el preu real depén de client +DefaultPriceRealPriceMayDependOnCustomer=Preu predeterminat, el preu real pot dependre del client WarningSelectOneDocument=Selecciona com a mínim un document DefaultUnitToShow=Unitat NbOfQtyInProposals=Qtat. en pressupostos diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index dfc378b36f0..d9a8e813264 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -85,6 +85,7 @@ ProgressCalculated=Progressió calculada WhichIamLinkedTo=al qual estic vinculat WhichIamLinkedToProject=que estic vinculat al projecte Time=Temps +TimeConsumed=Consumit ListOfTasks=Llistat de tasques GoToListOfTimeConsumed=Ves al llistat de temps consumit GanttView=Vista de Gantt @@ -208,7 +209,7 @@ ProjectOverview=Informació general ManageTasks=Utilitzeu projectes per seguir les tasques i / o informar el temps dedicat (fulls de temps) ManageOpportunitiesStatus=Utilitza els projectes per seguir oportunitats ProjectNbProjectByMonth=Nombre de projectes creats per mes -ProjectNbTaskByMonth=Nº de tasques creades per mes +ProjectNbTaskByMonth=Nombre de tasques creades per mes ProjectOppAmountOfProjectsByMonth=Quantitat de clients potencials per mes ProjectWeightedOppAmountOfProjectsByMonth=Quantitat ponderada de clients potencials per mes ProjectOpenedProjectByOppStatus=Projecte obert | lead per l'estat de lead diff --git a/htdocs/langs/ca_ES/receiptprinter.lang b/htdocs/langs/ca_ES/receiptprinter.lang index 32fce852506..cee89d1b087 100644 --- a/htdocs/langs/ca_ES/receiptprinter.lang +++ b/htdocs/langs/ca_ES/receiptprinter.lang @@ -16,7 +16,7 @@ CONNECTOR_NETWORK_PRINT=Impressora de xarxa CONNECTOR_FILE_PRINT=Impressora local CONNECTOR_WINDOWS_PRINT=Impressora local en Windows CONNECTOR_CUPS_PRINT=Impressora CUPS -CONNECTOR_DUMMY_HELP=Impressora falsa per provar, no fa res +CONNECTOR_DUMMY_HELP=Impressora falsa per a provar, 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 diff --git a/htdocs/langs/ca_ES/recruitment.lang b/htdocs/langs/ca_ES/recruitment.lang index a9a64d93e3f..c94352a6c55 100644 --- a/htdocs/langs/ca_ES/recruitment.lang +++ b/htdocs/langs/ca_ES/recruitment.lang @@ -38,7 +38,7 @@ EnablePublicRecruitmentPages=Activa les pàgines públiques de treballs actius About = Sobre RecruitmentAbout = Quant a la contractació RecruitmentAboutPage = Pàgina quant a la contractació -NbOfEmployeesExpected=Nº previst d'empleats +NbOfEmployeesExpected=Nombre previst d'empleats JobLabel=Descripció del lloc de treball WorkPlace=Lloc de treball DateExpected=Data prevista diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index fbda84602e8..866027d8fa1 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -133,9 +133,9 @@ CurentlyUsingPhysicalStock=Estoc físic RuleForStockReplenishment=Regla pels reaprovisionaments d'estoc SelectProductWithNotNullQty=Seleccioneu com a mínim un producte amb un valor no nul i un proveïdor AlertOnly= Només alertes -IncludeProductWithUndefinedAlerts = Incloure també estoc negatiu per als productes sense la quantitat desitjada definida, per restaurar-los a 0 -WarehouseForStockDecrease=Per la disminució d'estoc s'utilitzara el magatzem %s -WarehouseForStockIncrease=Pe l'increment d'estoc s'utilitzara el magatzem %s +IncludeProductWithUndefinedAlerts = Incloure també estoc negatiu per als productes sense la quantitat desitjada definida, per a restaurar-los a 0 +WarehouseForStockDecrease=El magatzem %s s’utilitzarà per a disminuir l’estoc +WarehouseForStockIncrease=El magatzem %s s'utilitzarà per a augmentar l'estoc ForThisWarehouse=Per aquest magatzem ReplenishmentStatusDesc=Aquesta és una llista de tots els productes amb un estoc inferior a l'estoc desitjat (o inferior al valor d'alerta si la casella de selecció "només alerta" està marcada). Amb la casella de selecció, podeu crear comandes de compra per suplir la diferència. ReplenishmentStatusDescPerWarehouse=Si voleu una reposició basada en la quantitat desitjada definida per magatzem, heu d’afegir un filtre al magatzem. diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang index 4fb800249a6..f8a508426a3 100644 --- a/htdocs/langs/ca_ES/trips.lang +++ b/htdocs/langs/ca_ES/trips.lang @@ -107,7 +107,7 @@ SaveTrip=Valida l'informe de despeses ConfirmSaveTrip=Estàs segur que vols validar aquest informe de despeses? NoTripsToExportCSV=No hi ha cap informe de despeses per a exportar en aquest període. ExpenseReportPayment=Informe de despeses pagades -ExpenseReportsToApprove=Informes de despeses per aprovar +ExpenseReportsToApprove=Informes de despeses per a aprovar ExpenseReportsToPay=Informes de despeses a pagar ConfirmCloneExpenseReport=Estàs segur de voler clonar aquest informe de despeses ? ExpenseReportsIk=Configuració de les despeses de quilometratge diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index efd250617cd..f06f99b4188 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -92,12 +92,12 @@ GroupDeleted=Grup %s eliminat ConfirmCreateContact=Vols crear un compte de Dolibarr per a aquest contacte? ConfirmCreateLogin=Vols crear un compte de Dolibarr per a aquest soci? ConfirmCreateThirdParty=Vols crear un tercer per a aquest soci? -LoginToCreate=Login a crear +LoginToCreate=Nom d'usuari a crear NameToCreate=Nom del tercer a crear YourRole=Els seus rols YourQuotaOfUsersIsReached=Ha arribat a la seva quota d'usuaris actius! -NbOfUsers=Nº d'usuaris -NbOfPermissions=Nº de permisos +NbOfUsers=Nombre d'usuaris +NbOfPermissions=Nombre de permisos DontDowngradeSuperAdmin=Només un superadmin pot degradar un superadmin HierarchicalResponsible=Supervisor HierarchicView=Vista jeràrquica diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 0995b6233bd..068bb9cc4d9 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -86,7 +86,7 @@ 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) SorryWebsiteIsCurrentlyOffLine=Ho sentim, actualment aquest lloc web està fora de línia. Per favor com a més endavant ... 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 +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Activeu la taula per a emmagatzemar comptes de lloc web (nom d'usuari / contrasenya) per a cada lloc web / tercer YouMustDefineTheHomePage=Primer heu de definir la pàgina d'inici predeterminada 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 diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang index 4f984f852ca..2d5b4840b4a 100644 --- a/htdocs/langs/ca_ES/withdrawals.lang +++ b/htdocs/langs/ca_ES/withdrawals.lang @@ -23,9 +23,9 @@ RequestStandingOrderTreated=Peticions processades d'ordres de cobrament per domi RequestPaymentsByBankTransferToTreat=Peticions de transferència bancària a processar RequestPaymentsByBankTransferTreated=Peticions de transferència bancària processades 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=Nº de factures de client qualificades que esperen una ordre de domiciliació +NbOfInvoiceToWithdraw=Nombre de factures de client qualificades que esperen una ordre de domiciliació NbOfInvoiceToWithdrawWithInfo=Número de factures a client en espera de domiciliació per a clients que tenen el número de compte definida -NbOfInvoiceToPayByBankTransfer=Nº de factures de proveïdors qualificats que esperen un pagament per transferència bancària +NbOfInvoiceToPayByBankTransfer=Nombre de factures de proveïdors qualificades que esperen un pagament per transferència SupplierInvoiceWaitingWithdraw=Factura de venedor en espera de pagament mitjançant transferència bancària InvoiceWaitingWithdraw=Factura esperant per domiciliació bancària InvoiceWaitingPaymentByBankTransfer=Factura en espera de transferència bancària @@ -42,7 +42,7 @@ LastWithdrawalReceipt=Últims %s rebuts domiciliats MakeWithdrawRequest=Fes una sol·licitud de domiciliació MakeBankTransferOrder=Fes una sol·licitud de transferència WithdrawRequestsDone=%s domiciliacions registrades -BankTransferRequestsDone=%s credit transfer requests recorded +BankTransferRequestsDone=S'han registrat %s sol·licituds de transferència ThirdPartyBankCode=Codi bancari de tercers NoInvoiceCouldBeWithdrawed=Cap factura s'ha carregat amb èxit. Comproveu que els tercers de les factures tenen un IBAN vàlid i que IBAN té un RUM (Referència de mandat exclusiva) amb mode %s. ClassCredited=Classifica com "Abonada" @@ -133,7 +133,7 @@ SEPAFRST=SEPA FRST ExecutionDate=Data d'execució CreateForSepa=Crea un fitxer de domiciliació bancària ICS=Identificador de creditor CI per domiciliació bancària -ICSTransfer=Creditor Identifier CI for bank transfer +ICSTransfer=Identificador de creditor CI per transferència bancària END_TO_END=Etiqueta XML "EndToEndId" de SEPA - Id. Única assignada per transacció USTRD=Etiqueta XML de la SEPA "no estructurada" ADDDAYS=Afegiu dies a la data d'execució @@ -148,4 +148,4 @@ InfoRejectSubject=Rebut de domiciliació bancària rebutjat InfoRejectMessage=Hola,

el rebut domiciliat de la factura %s relacionada amb la companyia %s, amb un import de %s ha estat rebutjada pel banc.

--
%s ModeWarning=No s'ha establert l'opció de treball en real, ens aturarem després d'aquesta simulació ErrorCompanyHasDuplicateDefaultBAN=L’empresa amb l’identificador %s té més d’un compte bancari per defecte. No hi ha manera de saber quin utilitzar. -ErrorICSmissing=Missing ICS in Bank account %s +ErrorICSmissing=Falta ICS al compte bancari %s diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index 1026908d2b1..eff99d7309e 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Nastavení modulu služeb ProductServiceSetup=Nastavení modulů produktů a služeb NumberOfProductShowInSelect=Maximální počet produktů, které mají být zobrazeny v seznamu výběrových kombinací (0 = žádný limit) ViewProductDescInFormAbility=Zobrazovat popisy produktů ve formulářích (jinak se zobrazí v popupu popisků) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Aktivovat v servisním / Attached kartě výrobku Soubory možnost sloučit produkt PDF dokument k návrhu PDF Azur-li výrobek / služba je v návrhu -ViewProductDescInThirdpartyLanguageAbility=Zobrazte popisy produktů v jazyce subjektu +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Také, pokud máte velké množství produktů (> 100 000), můžete zvýšit rychlost nastavením konstantního PRODUCT_DONOTSEARCH_ANYWHERE na 1 v nabídce Setup-> Other. Hledání bude omezeno na začátek řetězce. UseSearchToSelectProduct=Počkejte, než stisknete klávesu před načtením obsahu seznamu combo produktu (Může se tím zvýšit výkon, pokud máte velké množství produktů, ale je méně vhodný) SetDefaultBarcodeTypeProducts=Výchozí typ čárového kódu použít pro produkty diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index 03a2397864f..23b567fc52b 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Zpráva o výdajích ověřena (vyžaduje se schv Notify_EXPENSE_REPORT_APPROVE=Zpráva o výdajích byla schválena Notify_HOLIDAY_VALIDATE=Zanechat žádost ověřenou (vyžaduje se schválení) Notify_HOLIDAY_APPROVE=Zanechat žádost schválenou +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Viz nastavení modulu %s NbOfAttachedFiles=Počet připojených souborů/dokumentů TotalSizeOfAttachedFiles=Celková velikost připojených souborů/dokumentů @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Zpráva o výdajích %s byla ověřena. EMailTextExpenseReportApproved=Zpráva o výdajích %s byla schválena. EMailTextHolidayValidated=Oprávnění %s bylo ověřeno. EMailTextHolidayApproved=Opustit požadavek %s byl schválen. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Import souboru dat DolibarrNotification=Automatické upozornění ResizeDesc=Zadejte novou šířku nebo novou výšku. Poměry budou uchovávány při změně velikosti ... diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index ea05be2a28b..9f144427c41 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Základ cen za prodlení (s versus bez daně) při přidávání nových prodejních cen -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index e75df1f5d9e..88f500f0753 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moje úkoly / činnosti MyProjects=Moje projekty MyProjectsArea=Moje projekty Oblast DurationEffective=Efektivní doba trvání -ProgressDeclared=Hlášený progres +ProgressDeclared=Declared real progress 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 +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=se kterým jsem spojen WhichIamLinkedToProject=které jsem propojil s projektem Time=Čas +TimeConsumed=Consumed ListOfTasks=Seznam úkolů GoToListOfTimeConsumed=Přejít na seznam času spotřebovaného GanttView=Gantt View diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 78572942536..b96da5b7673 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Installation af servicemoduler ProductServiceSetup=Opsætning af Varer/ydelser-modul NumberOfProductShowInSelect=Maksimalt antal produkter, der skal vises i kombinationsvalglister (0 = ingen grænse) ViewProductDescInFormAbility=Vis produktbeskrivelser i formularer (ellers vist i en værktøjstip-popup) +DoNotAddProductDescAtAddLines=Tilføj ikke produktbeskrivelse (fra produktkort) på indsend tilføjelseslinjer på formularer +OnProductSelectAddProductDesc=Sådan bruges beskrivelsen af produkterne, når du tilføjer et produkt som en linje i et dokument +AutoFillFormFieldBeforeSubmit=Udfyld automatisk indtastningsfeltet med beskrivelsen af produktet +DoNotAutofillButAutoConcat=Udfyld ikke indtastningsfeltet automatisk med produktbeskrivelse. Produktbeskrivelsen sammenkædes automatisk med den indtastede beskrivelse. +DoNotUseDescriptionOfProdut=Produktbeskrivelse vil aldrig blive inkluderet i beskrivelsen af dokumentlinjer MergePropalProductCard=Aktivér i produkt / tjeneste Vedhæftede filer fanen en mulighed for at fusionere produkt PDF-dokument til forslag PDF azur hvis produkt / tjeneste er i forslaget -ViewProductDescInThirdpartyLanguageAbility=Vis produktbeskrivelser på tredjeparts sprog +ViewProductDescInThirdpartyLanguageAbility=Vis produktbeskrivelser i formularer på tredjeparts sprog (ellers på brugerens sprog) UseSearchToSelectProductTooltip=Også hvis du har et stort antal produkter (> 100 000), kan du øge hastigheden ved at indstille konstant PRODUCT_DONOTSEARCH_ANYWHERE til 1 i Setup-> Other. Søgningen er så begrænset til starten af ​​strengen. UseSearchToSelectProduct=Vent, indtil du trykker på en tast, inden du læser indholdet af produktkombinationslisten (dette kan øge ydeevnen, hvis du har et stort antal produkter, men det er mindre praktisk) SetDefaultBarcodeTypeProducts=Standard stregkodetype, der skal bruges til varer diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index e4e1c879704..cf4145b5f03 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -78,6 +78,7 @@ 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 +Notify_ACTION_CREATE=Føjede handling til dagsorden SeeModuleSetup=Se opsætning af modul %s NbOfAttachedFiles=Antal vedhæftede filer / dokumenter TotalSizeOfAttachedFiles=Samlede størrelse på vedhæftede filer / dokumenter @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=Handlingen %s er føjet til dagsordenen. ImportedWithSet=Indførsel datasæt DolibarrNotification=Automatisk anmeldelse ResizeDesc=Indtast nye bredde OR ny højde. Ratio vil blive holdt i resizing ... diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index 2524c84be6f..dc8281f3a00 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Udfyld med sidste servicelinjedatoer 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 sæt (sæt andre produkter) +AssociatedProductsAbility=Aktivér sæt (sæt med flere produkter) VariantsAbility=Aktiver varianter (variationer af produkter, f.eks. Farve, størrelse) AssociatedProducts=Sæt AssociatedProductsNumber=Antal produkter, der udgør dette sæt diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index b0bac561043..56f72838a88 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -76,15 +76,16 @@ MyActivities=Mine opgaver / aktiviteter MyProjects=Mine projekter MyProjectsArea=Mine projekter Område DurationEffective=Effektiv varighed -ProgressDeclared=Erklæret fremskridt +ProgressDeclared=Erklæret reel fremskridt TaskProgressSummary=Opgave fremskridt CurentlyOpenedTasks=Aktuelt åbne opgaver -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den erklærede fremgang er mindre %s end den beregnede progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den erklærede fremgang er mere %s end den beregnede progression -ProgressCalculated=Beregnede fremskridt +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den erklærede reelle fremgang er mindre %s end fremskridt med forbrug +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den erklærede reelle fremgang er mere %s end fremskridt med forbrug +ProgressCalculated=Fremskridt med hensyn til forbrug WhichIamLinkedTo=som jeg er knyttet til WhichIamLinkedToProject=som jeg er knyttet til projektet Time=Tid +TimeConsumed=Forbruges ListOfTasks=Liste over opgaver GoToListOfTimeConsumed=Gå til listen over tid forbrugt GanttView=Gantt View @@ -211,9 +212,9 @@ ProjectNbProjectByMonth=Antal oprettet projekter pr. Måned ProjectNbTaskByMonth=Antal oprettet opgaver efter måned ProjectOppAmountOfProjectsByMonth=Mængden af ​​kundeemner pr. Måned ProjectWeightedOppAmountOfProjectsByMonth=Vægtet antal kundeemner pr. Måned -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Åbn projekt | ført efter leadstatus +ProjectsStatistics=Statistik over projekter eller kundeemner +TasksStatistics=Statistik over opgaver for projekter eller leads TaskAssignedToEnterTime=Opgave tildelt. Indtastning af tid på denne opgave skal være muligt. IdTaskTime=Id opgave tid 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 diff --git a/htdocs/langs/de_AT/admin.lang b/htdocs/langs/de_AT/admin.lang index 1e86ef15672..854e69b3455 100644 --- a/htdocs/langs/de_AT/admin.lang +++ b/htdocs/langs/de_AT/admin.lang @@ -128,6 +128,7 @@ SummaryConst=Liste aller Systemeinstellungen Skin=Oberfläche DefaultSkin=Standardoberfläche CompanyCurrency=Firmenwährung +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. WatermarkOnDraftInvoices=Wasserzeichen auf Rechnungsentwürfen (alle, falls leer) WatermarkOnDraftProposal=Wasserzeichen für Angebotsentwürfe (alle, falls leer) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Fragen Sie nach dem Bestimmungsort des Bankkontos der Bestellung @@ -147,6 +148,7 @@ LDAPMembersTypesSynchro=Mitgliedertypen LDAPSynchronization=LDAP Synchronisierung LDAPFunctionsNotAvailableOnPHP=LDAP Funktionen nicht verfügbar in Deinem PHP LDAPFieldFullname=vollständiger Name +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) ClickToDialSetup=Click-to-Dial-Moduleinstellungen MailToSendShipment=Sendungen MailToSendIntervention=Eingriffe diff --git a/htdocs/langs/de_AT/boxes.lang b/htdocs/langs/de_AT/boxes.lang index 08c21e780d9..cc95f089ec2 100644 --- a/htdocs/langs/de_AT/boxes.lang +++ b/htdocs/langs/de_AT/boxes.lang @@ -1,2 +1,5 @@ # Dolibarr language file - Source file is en_US - boxes BoxCurrentAccounts=Aktueller Saldo +BoxCustomersOrdersPerMonth=Bestellungen pro Monat +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/de_AT/products.lang b/htdocs/langs/de_AT/products.lang index 272a2cf3d92..454cbcab118 100644 --- a/htdocs/langs/de_AT/products.lang +++ b/htdocs/langs/de_AT/products.lang @@ -17,6 +17,7 @@ ProductStatusOnBuyShort=Verfügbar ProductStatusNotOnBuyShort=Veraltet SellingPriceTTC=Verkaufspreis (brutto) CantBeLessThanMinPrice=Der aktuelle Verkaufspreis unterschreitet die Preisuntergrenze dieses Produkts (%s ohne MwSt.) +AssociatedProductsAbility=Enable Kits (set of several products) NoMatchFound=Keine Treffer gefunden DeleteProduct=Produkt/Service löschen ConfirmDeleteProduct=Möchten Sie dieses Produkt/Service wirklich löschen? diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index 8361a3878ea..96f898303e7 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -418,6 +418,7 @@ SendmailOptionNotComplete=Achtung, auf einigen Linux-Systemen, E-Mails von Ihrem TranslationOverwriteDesc=Sie können Zeichenketten durch Füllen der folgenden Tabelle überschreiben. Wählen Sie Ihre Sprache aus dem "%s" Drop-Down und tragen Sie den Schlüssel in "%s" und Ihre neue Übersetzung in "%s" ein. NewTranslationStringToShow=Neue Übersetzungen anzeigen OnlyFollowingModulesAreOpenedToExternalUsers=Hinweis: Nur die folgenden Module sind für externe Nutzer verfügbar (unabhängig von der Berechtigung dieser Benutzer), und das auch nur, wenn die Rechte zugeteilt wurden: +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. GetBarCode=Erhalten Sie einen Barcode UserMailRequired=E-Mail für neue Benutzer als Pflichtfeld setzen HRMSetup=HRM Modul Einstellungen @@ -461,6 +462,7 @@ MemcachedNotAvailable=Kein Cache Anwendung gefunden. \nSie können die Leistung MemcachedModuleAvailableButNotSetup=Module memcached für applicative Cache gefunden, aber Setup-Modul ist nicht vollständig. MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.. ServiceSetup=Leistungen Modul Setup +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) SetDefaultBarcodeTypeProducts=Standard-Barcode-Typ für Produkte SetDefaultBarcodeTypeThirdParties=Standard-Barcode-Typ für Geschäftspartner UseUnits=Definieren Sie eine Masseinheit für die Menge während der Auftrags-, Auftragsbestätigungs- oder Rechnungszeilen-Ausgabe diff --git a/htdocs/langs/de_CH/products.lang b/htdocs/langs/de_CH/products.lang index fe068de6eeb..b2ef1eb5c60 100644 --- a/htdocs/langs/de_CH/products.lang +++ b/htdocs/langs/de_CH/products.lang @@ -38,6 +38,7 @@ ServicesArea=Leistungs-Übersicht SupplierCard=Anbieterkarte SetDefaultBarcodeType=Wählen Sie den standardmässigen Barcode-Typ MultiPricesAbility=Preisstufen pro Produkt / Dienstleistung\n(Kunden werden einem Segment zugewiesen) +AssociatedProductsAbility=Enable Kits (set of several products) ParentProducts=Übergeordnetes Produkt ListOfProductsServices=Liste der Produkte und Dienstleistungen QtyMin=Mindestmenge diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index 5d89bce0e06..2dc25c0e83b 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -18,14 +18,14 @@ DefaultForService=Standard für Leistung DefaultForProduct=Standard für Produkt CantSuggest=Kann keines vorschlagen AccountancySetupDoneFromAccountancyMenu=Die wichtigste Teil der Konfiguration der Buchhaltung aus dem Menü %s wurde erledigt -ConfigAccountingExpert=Configuration of the module accounting (double entry) +ConfigAccountingExpert=Konfiguration des Moduls Buchhaltung (doppelt) Journalization=Journalisieren Journals=Journale JournalFinancial=Finanzjournale BackToChartofaccounts=Zurück zum Kontenplan Chartofaccounts=Kontenplan -ChartOfSubaccounts=Chart of individual accounts -ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger +ChartOfSubaccounts=Plan der einzelnen Konten +ChartOfIndividualAccountsOfSubsidiaryLedger=Plan der Einzelkonten des Nebenbuchs CurrentDedicatedAccountingAccount=Aktuelles dediziertes Konto AssignDedicatedAccountingAccount=Neues Konto zuweisen InvoiceLabel=Rechnungsanschrift @@ -35,8 +35,8 @@ OtherInfo=Zusatzinformationen DeleteCptCategory=Buchhaltungskonto aus Gruppe entfernen ConfirmDeleteCptCategory=Soll dieses Buchhaltungskonto wirklich aus der Gruppe entfernt werden? JournalizationInLedgerStatus=Status der Journalisierung -AlreadyInGeneralLedger=Already transferred in accounting journals and ledger -NotYetInGeneralLedger=Not yet transferred in accouting journals and ledger +AlreadyInGeneralLedger=Bereits in Buchhaltungsjournale und Hauptbuch übertragen +NotYetInGeneralLedger=Noch nicht in Buchhaltungsjournale und Hauptbuch übertragen GroupIsEmptyCheckSetup=Gruppe ist leer, kontrollieren Sie die persönlichen Kontogruppen DetailByAccount=Detail pro Konto zeigen AccountWithNonZeroValues=Konto mit Werten != 0 @@ -46,9 +46,9 @@ CountriesNotInEEC=Nicht-EU Länder CountriesInEECExceptMe=EU-Länder außer %s CountriesExceptMe=Alle Länder außer %s AccountantFiles=Belegdokumente exportieren -ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s. +ExportAccountingSourceDocHelp=Mit diesem Tool können Sie die Quellereignisse (Liste und PDFs) exportieren, die zum Generieren Ihrer Buchhaltung verwendet wurden. Verwenden Sie zum Exportieren Ihrer Journale den Menüeintrag %s - %s. VueByAccountAccounting=Ansicht nach Buchhaltungskonto -VueBySubAccountAccounting=View by accounting subaccount +VueBySubAccountAccounting=Ansicht nach Buchhaltungsunterkonto MainAccountForCustomersNotDefined=Standardkonto für Kunden im Setup nicht definiert MainAccountForSuppliersNotDefined=Standardkonto für Lieferanten die nicht im Setup definiert sind @@ -84,7 +84,7 @@ AccountancyAreaDescAnalyze=SCHRITT %s: Vorhandene Transaktionen hinzufügen oder AccountancyAreaDescClosePeriod=SCHRITT %s: Schließen Sie die Periode, damit wir in Zukunft keine Veränderungen vornehmen können. -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Eine erforderliche Einrichtung wurde nicht abgeschlossen. (Kontierungsinformationen fehlen bei einigen Bankkonten) Selectchartofaccounts=Aktiven Kontenplan wählen ChangeAndLoad=ändern & laden Addanaccount=Fügen Sie ein Buchhaltungskonto hinzu @@ -94,8 +94,8 @@ SubledgerAccount=Nebenbuchkonto SubledgerAccountLabel=Nebenbuchkonto-Bezeichnung ShowAccountingAccount=Buchhaltungskonten anzeigen ShowAccountingJournal=Buchhaltungsjournal anzeigen -ShowAccountingAccountInLedger=Show accounting account in ledger -ShowAccountingAccountInJournals=Show accounting account in journals +ShowAccountingAccountInLedger=Buchhaltungskonto im Hauptbuch anzeigen +ShowAccountingAccountInJournals=Buchhaltungskonto in Journalen anzeigen AccountAccountingSuggest=Buchhaltungskonto Vorschlag MenuDefaultAccounts=Standardkonten MenuBankAccounts=Bankkonten @@ -117,7 +117,7 @@ ExpenseReportsVentilation=Spesenabrechnung Zuordnung CreateMvts=neue Transaktion erstellen UpdateMvts=Änderung einer Transaktion ValidTransaction=Transaktion bestätigen -WriteBookKeeping=Register transactions in accounting +WriteBookKeeping=Transaktionen in der Buchhaltung registrieren Bookkeeping=Hauptbuch BookkeepingSubAccount=Nebenbuch AccountBalance=Saldo Sachkonten @@ -145,7 +145,7 @@ NotVentilatedinAccount=Nicht zugeordnet, zu einem Buchhaltungskonto XLineSuccessfullyBinded=%s Produkte/Leistungen erfolgreich an Buchhaltungskonto zugewiesen XLineFailedToBeBinded=%s Produkte/Leistungen waren an kein Buchhaltungskonto zugeordnet -ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50) +ACCOUNTING_LIMIT_LIST_VENTILATION=Maximale Zeilenanzahl auf Liste und Kontierungsseite (empfohlen: 50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=Beginnen Sie die Sortierung der Seite "Link zu realisieren“ durch die neuesten Elemente ACCOUNTING_LIST_SORT_VENTILATION_DONE=Beginnen Sie mit der Sortierung der Seite " Zuordnung erledigt " nach den neuesten Elementen @@ -157,8 +157,8 @@ ACCOUNTING_MANAGE_ZERO=Verwalten der Null am Ende eines Buchhaltungskontos. \nIn BANK_DISABLE_DIRECT_INPUT=Deaktivieren der direkte Aufzeichnung von Transaktion auf dem Bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Entwurfexport für Journal aktivieren ACCOUNTANCY_COMBO_FOR_AUX=Kombinationsliste für Nebenkonto aktivieren \n(kann langsam sein, wenn Sie viele Geschäftspartner haben) -ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting. -ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default +ACCOUNTING_DATE_START_BINDING=Definieren Sie ein Datum, an dem die Bindung und Übertragung in der Buchhaltung beginnen soll. Transaktionen vor diesem Datum werden nicht in die Buchhaltung übertragen. +ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Bei der Übertragung der Buchhaltung standardmäßig den Zeitraum anzeigen auswählen anzeigen ACCOUNTING_SELL_JOURNAL=Verkaufsjournal ACCOUNTING_PURCHASE_JOURNAL=Einkaufsjournal @@ -178,7 +178,7 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Buchhaltungskonto in Wartestellung DONATION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Spenden ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Abonnements -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Standard-Buchhaltungskonto zur Registrierung der Kundeneinzahlung ACCOUNTING_PRODUCT_BUY_ACCOUNT=Standard-Buchhaltungskonto für gekaufte Produkte \n(wenn nicht anders im Produktblatt definiert) ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Standardmäßig Buchhaltungskonto für die gekauften Produkte in der EU (wird verwendet, wenn nicht im Produktblatt definiert) @@ -199,8 +199,8 @@ Docdate=Datum Docref=Referenz LabelAccount=Konto-Beschriftung LabelOperation=Bezeichnung der Operation -Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +Sens=Richtung +AccountingDirectionHelp=Verwenden Sie für ein Buchhaltungskonto eines Kunden «Guthaben», um eine Zahlung zu erfassen, die Sie erhalten haben.
Verwenden Sie für ein Buchhaltungskonto eines Lieferanten «Debit», um eine von Ihnen geleistete Zahlung zu erfassen LetteringCode=Beschriftungscode Lettering=Beschriftung Codejournal=Journal @@ -208,24 +208,24 @@ JournalLabel=Journal-Bezeichnung NumPiece=Teilenummer TransactionNumShort=Anz. Buchungen AccountingCategory=Personalisierte Gruppen -GroupByAccountAccounting=Group by general ledger account -GroupBySubAccountAccounting=Group by subledger account +GroupByAccountAccounting=Gruppieren nach Hauptbuchkonto +GroupBySubAccountAccounting=Gruppieren nach Nebenbuchkonto AccountingAccountGroupsDesc=Hier können Kontengruppen definiert werden. Diese werden für personaliserte Buchhaltungsreports verwendet. ByAccounts=Pro Konto ByPredefinedAccountGroups=Pro vordefinierten Gruppen ByPersonalizedAccountGroups=Pro persönlichen Gruppierung ByYear=pro Jahr NotMatch=undefiniert -DeleteMvt=Delete some operation lines from accounting +DeleteMvt=Einige Operationszeilen aus der Buchhaltung löschen DelMonth=Monat zum Löschen DelYear=Jahr zu entfernen DelJournal=Journal zu entfernen -ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger. -ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted) +ConfirmDeleteMvt=Dadurch werden alle Vorgangszeilen der Buchhaltung für das Jahr / den Monat und / oder für ein bestimmtes Journal gelöscht (mindestens ein Kriterium ist erforderlich). Sie müssen die Funktion '%s' erneut verwenden, um den gelöschten Datensatz wieder im Hauptbuch zu haben. +ConfirmDeleteMvtPartial=Dadurch wird die Transaktion aus der Buchhaltung gelöscht (alle mit derselben Transaktion verknüpften Vorgangszeilen werden gelöscht). FinanceJournal=Finanzjournal ExpenseReportsJournal=Spesenabrechnungsjournal DescFinanceJournal=Finanzjournal inklusive aller Arten von Zahlungen mit Bankkonto -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger. +DescJournalOnlyBindedVisible=Dies ist eine Ansicht von Aufzeichnungen, die an ein Buchhaltungskonto gebunden sind und in den Journalen und im Hauptbuch erfasst werden können. VATAccountNotDefined=Steuerkonto nicht definiert ThirdpartyAccountNotDefined=Konto für Geschäftspartner nicht definiert ProductAccountNotDefined=Konto für Produkt nicht definiert @@ -251,7 +251,7 @@ PaymentsNotLinkedToProduct=Zahlung ist keinem Produkt oder Dienstleistung zugewi OpeningBalance=Eröffnungsbilanz ShowOpeningBalance=Eröffnungsbilanz anzeigen HideOpeningBalance=Eröffnungsbilanz ausblenden -ShowSubtotalByGroup=Show subtotal by level +ShowSubtotalByGroup=Zwischensumme nach Ebene 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. @@ -274,11 +274,11 @@ DescVentilExpenseReport=Kontieren Sie hier in der Liste Spesenabrechnungszeilen DescVentilExpenseReportMore=Wenn Sie beim Buchhaltungskonto den Typen Spesenabrechnungpositionen eingestellt haben, wird die Applikation alle Kontierungen zwischen den Spesenabrechnungspositionen und dem Buchhaltungskonto von Ihrem Kontenrahmen verwenden, durch einen einzigen Klick auf die Schaltfläche "%s" . Wenn kein Konto definiert wurde unter Stammdaten / Gebührenarten oder wenn Sie einige Zeilen nicht zu irgendeinem automatischen Konto gebunden haben, müssen Sie die Zuordnung manuell aus dem Menü " %s “ machen. DescVentilDoneExpenseReport=Hier finden Sie die Liste der Aufwendungsposten und ihr Gebühren Buchhaltungskonto -Closure=Annual closure +Closure=Jahresabschluss DescClosure=Informieren Sie sich hier über die Anzahl der Bewegungen pro Monat, die nicht validiert sind und die bereits in den Geschäftsjahren geöffnet sind. OverviewOfMovementsNotValidated=Schritt 1 / Bewegungsübersicht nicht validiert. \n(Notwendig, um ein Geschäftsjahr abzuschließen.) -AllMovementsWereRecordedAsValidated=All movements were recorded as validated -NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated +AllMovementsWereRecordedAsValidated=Alle Bewegungen wurden als validiert aufgezeichnet +NotAllMovementsCouldBeRecordedAsValidated=Nicht alle Bewegungen konnten als validiert aufgezeichnet werden ValidateMovements=Bewegungen validieren DescValidateMovements=Jegliche Änderung oder Löschung des Schreibens, Beschriftens und Löschens ist untersagt. Alle Eingaben für eine Übung müssen validiert werden, da sonst ein Abschluss nicht möglich ist @@ -298,10 +298,10 @@ Accounted=im Hauptbuch erfasst NotYetAccounted=noch nicht im Hauptbuch erfasst ShowTutorial=Tutorial anzeigen NotReconciled=nicht ausgeglichen -WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view +WarningRecordWithoutSubledgerAreExcluded=Achtung, alle Vorgänge ohne definiertes Nebenbuchkonto werden gefiltert und von dieser Ansicht ausgeschlossen ## Admin -BindingOptions=Binding options +BindingOptions=Verbindungsoptionen ApplyMassCategories=Massenaktualisierung der Kategorien AddAccountFromBookKeepingWithNoCategories=Verfügbares Konto noch nicht in der personalisierten Gruppe CategoryDeleted=Die Gruppe für das Buchhaltungskonto wurde entfernt @@ -321,9 +321,9 @@ ErrorAccountingJournalIsAlreadyUse=Dieses Journal wird bereits verwendet AccountingAccountForSalesTaxAreDefinedInto=Hinweis: Buchaltungskonten für Steuern sind im Menü %s - %s definiert NumberOfAccountancyEntries=Anzahl der Einträge NumberOfAccountancyMovements=Anzahl der Bewegungen -ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting) +ACCOUNTING_DISABLE_BINDING_ON_SALES=Deaktivieren Sie die Bindung und Übertragung in der Buchhaltung bei Verkäufen (Kundenrechnungen werden in der Buchhaltung nicht berücksichtigt). +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Deaktivieren Sie die Bindung und Übertragung in der Buchhaltung bei Einkäufen (Lieferantenrechnungen werden in der Buchhaltung nicht berücksichtigt). +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Deaktivieren Sie die Bindung und Übertragung in der Buchhaltung für Spesenabrechnungen (Spesenabrechnungen werden bei der Buchhaltung nicht berücksichtigt). ## Export ExportDraftJournal=Entwurfsjournal exportieren @@ -343,11 +343,11 @@ 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_FEC2=Export FEC (With dates generation writing / document reversed) +Modelcsv_FEC2=Export FEC (Mit Datumsgenerierung schriftlich / Dokument umgekehrt) Modelcsv_Sage50_Swiss=Export für Sage 50 (Schweiz) Modelcsv_winfic=Exportiere Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Export for Gestinum (v3) -Modelcsv_Gestinumv5Export for Gestinum (v5) +Modelcsv_Gestinumv3=Export für Gestinum (v3) +Modelcsv_Gestinumv5Export für Gestinum (v5) ChartofaccountsId=Kontenplan ID ## Tools - Init accounting account on product / service diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 809c3a8b797..a7da77b1c94 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -56,8 +56,8 @@ GUISetup=Benutzeroberfläche SetupArea=Einstellungen UploadNewTemplate=Neue Druckvorlage(n) hochladen FormToTestFileUploadForm=Formular für das Testen von Datei-Uplads (je nach Konfiguration) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=Das Modul / die Anwendung %s muss aktiviert sein +ModuleIsEnabled=Das Modul / die Anwendung %s wurde aktiviert IfModuleEnabled=Anmerkung: Ist nur wirksam wenn Modul %s aktiviert ist RemoveLock=Sie müssen die Datei %s entfernen oder umbennen, falls vorhanden, um die Benutzung des Installations-/Update-Tools zu erlauben. RestoreLock=Stellen Sie die Datei %s mit ausschließlicher Leseberechtigung wieder her, um die Benutzung des Installations-/Update-Tools zu deaktivieren. @@ -154,8 +154,8 @@ SystemToolsAreaDesc=In diesem Bereich finden Sie die Verwaltungsfunktionen. Verw Purge=Bereinigen PurgeAreaDesc=Auf dieser Seite können Sie alle von Dolibarr erzeugten oder gespeicherten Dateien (temporäre Dateien oder alle Dateien im Verzeichnis %s ) löschen. Die Verwendung dieser Funktion ist in der Regel nicht erforderlich. Es wird als Workaround für Benutzer bereitgestellt, deren Dolibarr von einem Anbieter gehostet wird, der keine Berechtigungen zum löschen von Dateien anbietet, die vom Webserver erzeugt wurden. PurgeDeleteLogFile=Löschen der Protokolldateien, einschließlich %s, die für das Syslog-Modul definiert wurden (kein Risiko Daten zu verlieren) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files +PurgeDeleteTemporaryFiles=Alle Protokoll- und temporären Dateien löschen (kein Risiko, Daten zu verlieren). Hinweis: Das Löschen temporärer Dateien erfolgt nur, wenn das temporäre Verzeichnis vor mehr als 24 Stunden erstellt wurde. +PurgeDeleteTemporaryFilesShort=Protokoll- und temporäre Dateien löschen PurgeDeleteAllFilesInDocumentsDir=Alle Dateien im Verzeichnis: %s löschen:
Dadurch werden alle erzeugten Dokumente löschen, die sich auf verknüpfte (Dritte, Rechnungen usw....), Dateien, die in das ECM Modul hochgeladen wurden, Datenbank, Backup, Dumps und temporäre Dateien beziehen. PurgeRunNow=Jetzt bereinigen PurgeNothingToDelete=Keine zu löschenden Verzeichnisse oder Dateien @@ -257,7 +257,7 @@ ReferencedPreferredPartners=Bevorzugte Partner OtherResources=Weitere Ressourcen ExternalResources=Externe Ressourcen SocialNetworks=Soziale Netzwerke -SocialNetworkId=Social Network ID +SocialNetworkId=ID des sozialen Netzwerks ForDocumentationSeeWiki=Für Benutzer-und Entwickler-Dokumentationen und FAQs
werfen Sie bitte einen Blick auf die Dolibarr-Wiki:
%s ForAnswersSeeForum=Für alle anderen Fragen können Sie das Dolibarr-Forum
%s benutzen. HelpCenterDesc1=In diesem Bereich finden Sie eine Übersicht an verfügbaren Quellen, bei denen Sie im Fall von Problemen und Fragen Unterstützung bekommen können. @@ -377,7 +377,7 @@ ExamplesWithCurrentSetup=Beispiele mit der aktuellen Systemkonfiguration ListOfDirectories=Liste der OpenDocument-Vorlagenverzeichnisse ListOfDirectoriesForModelGenODT=Liste der Verzeichnisse mit Vorlagendateien im OpenDocument-Format.

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

Dateien in diesen Verzeichnissen müssen mit .odt oder .ods enden. NumberOfModelFilesFound=Anzahl der in diesen Verzeichnissen gefundenen .odt/.ods-Dokumentvorlagen -ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\myapp\\mydocumentdir\\mysubdir
/home/myapp/mydocumentdir/mysubdir
DOL_DATA_ROOT/ecm/ecmdir +ExampleOfDirectoriesForModelGen=Beispiele für die Syntax:
c:\\myapp\\mydocumentdir\\mysubdir
/home/myapp/mydocumentdir/mysubdir
DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
Lesen Sie die Wiki Dokumentation um zu wissen, wie Sie Ihre odt Dokumentenvorlage erstellen, bevor Sie diese in den Kategorien speichern: FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Reihenfolge von Vor- und Nachname @@ -408,7 +408,7 @@ UrlGenerationParameters=Parameter zum Sichern von URLs SecurityTokenIsUnique=Verwenden Sie einen eindeutigen Sicherheitsschlüssel für jede URL EnterRefToBuildUrl=Geben Sie eine Referenz für das Objekt %s ein GetSecuredUrl=Holen der berechneten URL -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Verstecke nicht autorisierte Aktionsschaltflächen auch für interne Benutzer (ansonsten nur grau) OldVATRates=Alter Umsatzsteuer-Satz NewVATRates=Neuer Umsatzsteuer-Satz PriceBaseTypeToChange=Ändern Sie den Basispreis definierte nach @@ -444,7 +444,7 @@ ExtrafieldParamHelpPassword=Wenn Sie dieses Feld leer lassen, wird dieser Wert u ExtrafieldParamHelpselect=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

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

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

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

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

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

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

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

In order to have the list depending on another list:
c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpsellist=Die Liste der Werte stammt aus einer Tabelle
Syntax: table_name:label_field:id_field::filter
Beispiel: c_typent:libelle:id::filter

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

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

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

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

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

Um die Liste von einer anderen Liste abhängig zu machen:
c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelplink=Die Parameter müssen ObjectName: Classpath
sein. Syntax: ObjectName: Classpath ExtrafieldParamHelpSeparator=Für ein einfaches Trennzeichen leer lassen
Setzen Sie diesen Wert für ein ausblendendes Trennzeichen auf 1 (standardmäßig für eine neue Sitzung geöffnet, der Status wird für jede Benutzersitzung beibehalten)
Setzen Sie diesen Wert für ein ausblendendes Trennzeichen auf 2 (standardmäßig für ausgeblendet) neue Sitzung, dann bleibt der Status für jede Benutzersitzung erhalten) @@ -490,7 +490,7 @@ WarningPHPMailB=- Bei einigen E-Mail-Dienstanbietern (wie Yahoo) können Sie kei WarningPHPMailC=- Interessant ist auch die Verwendung des SMTP-Servers Ihres eigenen E-Mail-Dienstanbieters zum Senden von E-Mails, sodass alle von der Anwendung gesendeten E-Mails auch in dem Verzeichnis "Gesendet" Ihrer Mailbox gespeichert werden. WarningPHPMailD=Wenn die Methode 'PHP Mail' wirklich die Methode ist, die Sie verwenden möchten, können Sie diese Warnung entfernen, indem Sie die Konstante MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP unter Start - Einstellungen - Erweiterte Einstellungen zu 1 hinzufügen. WarningPHPMail2=Wenn Ihr E-Mail-SMTP-Anbieter den E-Mail-Client auf einige IP-Adressen beschränken muss (sehr selten), dann ist dies die IP-Adresse des Mail User Agent (MUA) für ihr Dolibarr-System: %s. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask you domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. +WarningPHPMailSPF=Wenn der Domainname in Ihrer Absender-E-Mail-Adresse durch einen SPF-Eintrag geschützt ist (beim Registrar des Domainnamens zu erfragen), müssen dem SPF-Eintrag des DNS Ihrer Domain die folgenden IP-Adressen hinzufügt werden: %s . ClickToShowDescription=Klicke um die Beschreibung zu sehen DependsOn=Diese Modul benötigt folgenden Module RequiredBy=Diese Modul ist für folgende Module notwendig @@ -556,9 +556,9 @@ Module54Desc=Verwaltung von Verträgen (Dienstleistungen oder wiederkehrende Abo Module55Name=Barcodes Module55Desc=Barcode-Verwaltung Module56Name=Zahlung per Überweisung -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. +Module56Desc=Verwaltung der Zahlung von Lieferanten durch Überweisungsaufträge. Es beinhaltet die Erstellung von SEPA-Dateien für europäische Länder. Module57Name=Zahlungen per Lastschrifteinzug -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module57Desc=Verwaltung von Lastschriftaufträgen. Es beinhaltet die Erstellung von SEPA-Dateien für europäische Länder. Module58Name=ClickToDial Module58Desc=ClickToDial-Integration Module60Name=Etiketten @@ -601,7 +601,7 @@ Module520Name=Kredite / Darlehen Module520Desc=Verwaltung von Darlehen Module600Name=Benachrichtigungen über Geschäftsereignisse Module600Desc=E-Mail-Benachrichtigungen senden, die durch ein Geschäftsereignis ausgelöst werden: pro Benutzer (Einrichtung definiert für jeden Benutzer), pro Drittanbieter-Kontakte (Einrichtung definiert für jeden Drittanbieter) oder durch bestimmte E-Mails. -Module600Long=Beachten Sie, dass dieses Modul E-Mails in Echtzeit sendet, wenn ein bestimmtes Geschäftsereignis stattfindet. Wenn Sie nach einer Funktion zum Senden von e-Mail-Erinnerungen für Agenda-Ereignisse suchen, gehen Sie in die Einrichtung den dem Modul Agenda. +Module600Long=Beachten Sie, dass dieses Modul E-Mails in Echtzeit versendet, wenn ein bestimmtes Geschäftsereignis stattfindet. Wenn Sie nach einer Funktion zum Senden von e-Mail-Erinnerungen für Agenda-Ereignisse suchen, gehen Sie in die Einstellungen des Modul Agenda. Module610Name=Produktvarianten Module610Desc=Erlaubt das Erstellen von Produktvarianten, basierend auf Merkmalen (Farbe, Grösse, ...) Module700Name=Spenden @@ -730,7 +730,7 @@ Permission95=Buchhaltung einsehen Permission101=Auslieferungen einsehen Permission102=Auslieferungen erstellen/bearbeiten Permission104=Auslieferungen freigeben -Permission105=Send sendings by email +Permission105=Sende Sendungen per E-Mail Permission106=Auslieferungen exportieren Permission109=Sendungen löschen Permission111=Finanzkonten einsehen @@ -838,10 +838,10 @@ Permission402=Rabatte erstellen/bearbeiten Permission403=Rabatte freigeben Permission404=Rabatte löschen Permission430=Debug Bar nutzen -Permission511=Read payments of salaries (yours and subordinates) +Permission511=Zahlungen von Gehältern (Ihre und Untergebene) lesen Permission512=Lohnzahlungen anlegen / ändern Permission514=Lohn-/Gehaltszahlungen löschen -Permission517=Read payments of salaries of everybody +Permission517= Gehaltszahlungen von allen lesen Permission519=Löhne exportieren Permission520=Darlehen anzeigen Permission522=Darlehen erstellen/bearbeiten @@ -853,10 +853,10 @@ Permission532=Leistungen erstellen/bearbeiten Permission534=Leistungen löschen Permission536=Versteckte Leistungen einsehen/verwalten Permission538=Leistungen exportieren -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer +Permission561=Zahlungsaufträge per Überweisung lesen +Permission562=Zahlungsauftrag per Überweisung erstellen / ändern +Permission563=Zahlungsauftrag per Überweisung senden / übertragen +Permission564=Belastungen / Ablehnungen der Überweisung erfassen Permission601=Aufkleber lesen Permission602=Erstellen / Ändern von Aufklebern Permission609=Aufkleber löschen @@ -1184,7 +1184,7 @@ InfoWebServer=Über Ihren Webserver InfoDatabase=Über Ihre Datenbank InfoPHP=Über PHP InfoPerf=Leistungs-Informationen -InfoSecurity=About Security +InfoSecurity=Über Sicherheit BrowserName=Browsername BrowserOS=Betriebssystem des Browsers ListOfSecurityEvents=Liste der sicherheitsrelevanten Ereignisse @@ -1316,7 +1316,7 @@ PHPModuleLoaded=PHP Komponente %s ist geladen PreloadOPCode=Vorgeladener OPCode wird verwendet AddRefInList=Anzeigen der Info-Liste mit Kunden- / Lieferantenreferenz (Auswahlliste oder Combobox) und die meisten Hyperlinks.
Drittanbieter werden mit dem Namensformat "CC12345 - SC45678 - The Big Company corp." anstelle von "The Big Company corp" angezeigt. AddAdressInList=Anzeigen der Info-Liste mit Kunden- / Lieferantenadressen (Auswahlliste oder Kombinationsfeld)
Dritte werden mit dem Namensformat "The Big Company Corp. - 21 jump street 123456 Big Town - USA" anstelle von "The Big Company Corp." angezeigt. -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". +AddEmailPhoneTownInContactList=Kontakt-E-Mail (oder Telefone, falls nicht definiert) und Stadtinfo-Liste (Auswahlliste oder Combobox) anzeigen
Kontakte werden mit dem Namensformat "Dupond Durand - dupond.durand@email.com - Paris" oder "Dupond Durand - 06 07" angezeigt 59 65 66 - Paris "statt" Dupond Durand ". AskForPreferredShippingMethod=Nach der bevorzugten Versandart für Drittanbieter fragen. FieldEdition=Bearbeitung von Feld %s FillThisOnlyIfRequired=Beispiel: +2 (nur ausfüllen, wenn Sie Probleme mit der Zeitzone haben) @@ -1423,7 +1423,7 @@ AdherentMailRequired=Für das Anlegen eines neuen Mitglieds ist eine E-Mail-Adre MemberSendInformationByMailByDefault=Das Kontrollkästchen für den automatischen Versand einer E-Mail-Bestätigung an Mitglieder (bei Freigabe oder neuem Abonnement) ist standardmäßig aktiviert VisitorCanChooseItsPaymentMode=Der Besucher kann aus verschiedenen Zahlungsmethoden auswählen MEMBER_REMINDER_EMAIL=Aktivieren Sie die automatische Erinnerung per E-Mail an abgelaufene Abonnements. Hinweis: Das Modul %s muss aktiviert und ordnungsgemäß eingerichtet sein, damit Erinnerungen gesendet werden können. -MembersDocModules=Document templates for documents generated from member record +MembersDocModules=Dokumentvorlagen für Dokumente, die aus dem Mitgliedsdatensatz generiert wurden ##### LDAP setup ##### LDAPSetup=LDAP-Einstellungen LDAPGlobalParameters=Globale LDAP-Parameter @@ -1566,9 +1566,9 @@ LDAPDescValues=Die Beispielwerte für OpenLDAP verfügen über folgende M ForANonAnonymousAccess=Für einen authentifizierten Zugang (z.B. für Schreibzugriff) PerfDolibarr=Leistungs-Einstellungen/Optimierungsreport YouMayFindPerfAdviceHere=Auf dieser Seite finden Sie einige Überprüfungen oder Hinweise zur Leistung. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +NotInstalled=Nicht installiert. +NotSlowedDownByThis=Nicht dadurch verlangsamt. +NotRiskOfLeakWithThis=Hiermit keine Verlustgefahr. ApplicativeCache=geeigneter Cache MemcachedNotAvailable=Kein Cache Anwendung gefunden. \nSie können die Leistung durch die Installation des Cache-Server Memcached und die Aktivierung des Moduls Anwendungscache
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. MemcachedModuleAvailableButNotSetup=Module memcached für geeigneten Cache gefunden, aber Setup-Modul ist nicht vollständig. @@ -1598,8 +1598,13 @@ ServiceSetup=Modul Leistungen - Einstellungen ProductServiceSetup=Produkte und Leistungen Module Einstellungen NumberOfProductShowInSelect=Max. Anzahl der Produkte in Dropdownlisten (0=kein Limit) ViewProductDescInFormAbility=Anzeige der Produktbeschreibungen in Formularen (sonst als ToolTip- Popup) +DoNotAddProductDescAtAddLines=Fügen Sie beim absenden keine Produktbeschreibung (von der Produktkarte) füge Zeilen an die Formulare\n +OnProductSelectAddProductDesc=So verwenden Sie die Produktbeschreibung, wenn Sie ein Produkt als Dokumentzeile hinzufügen +AutoFillFormFieldBeforeSubmit=Das Eingabefeld für die Beschreibung automatisch mit der Produktbeschreibung füllen +DoNotAutofillButAutoConcat=Füllen Sie das Eingabefeld nicht automatisch mit der Produktbeschreibung aus. Die Produktbeschreibung wird automatisch mit der eingegebenen Beschreibung verkettet. +DoNotUseDescriptionOfProdut=Die Produktbeschreibung wird niemals in die Beschreibung der Dokumentenzeilen aufgenommen MergePropalProductCard=Aktivieren einer Option unter Produkte/Leistungen Registerkarte verknüpfte Dateien, um Produkt-PDF-Dokumente um Angebots PDF azur zusammenzuführen, wenn Produkte/Leistungen in dem Angebot sind. -ViewProductDescInThirdpartyLanguageAbility=Anzeige der Produktbeschreibungen in der Sprache des Partners +ViewProductDescInThirdpartyLanguageAbility=Anzeige von Produktbeschreibungen in Formularen in der Sprache des Partners (sonst in der Sprache des Benutzer) UseSearchToSelectProductTooltip=Wenn Sie eine große Anzahl von Produkten (> 100.000) haben, können Sie die Geschwindigkeit verbessern, indem Sie in Einstellungen -> Andere die Konstante PRODUCT_DONOTSEARCH_ANYWHERE auf 1 setzen. Die Suche startet dann am Beginn der Zeichenkette. UseSearchToSelectProduct=Warte auf Tastendruck, bevor der Inhalt der Produkt-Combo-Liste geladen wird (Dies kann die Leistung verbessern, wenn Sie eine große Anzahl von Produkten haben). SetDefaultBarcodeTypeProducts=Standard-Code-Typ für Produkte @@ -1674,7 +1679,7 @@ AdvancedEditor=Erweiterter Editor ActivateFCKeditor=FCKEditor aktivieren für: FCKeditorForCompany=WYSIWIG Erstellung/Bearbeitung der Partnerinformationen und Notizen FCKeditorForProduct=WYSIWIG Erstellung/Bearbeitung von Produkt-/Serviceinformationen und Notizen -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. +FCKeditorForProductDetails=WYSIWIG Erstellung / Ausgabe von Produkt-Detailzeilen für alle Dokumente (Vorschläge, Bestellungen, Rechnungen usw.). Warnung: Die Verwendung dieser Option für diesen Fall wird nicht empfohlen, da dies beim Erstellen von PDF-Dateien zu Problemen mit Sonderzeichen und Seitenformatierung führen kann. FCKeditorForMailing= WYSIWIG Erstellung/Bearbeitung von E-Mails FCKeditorForUserSignature=WYSIWIG Erstellung/Bearbeitung von Benutzer-Signaturen FCKeditorForMail=WYSIWYG-Erstellung/Bearbeitung für alle E-Mails (außer Werkzeuge->eMailing) @@ -1691,7 +1696,7 @@ NotTopTreeMenuPersonalized=Personalisierte Menüs die nicht mit dem Top-Menü ve NewMenu=Neues Menü MenuHandler=Menü-Handler MenuModule=Quellmodul -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Nicht autorisierte Menüs auch für interne Benutzer ausblenden (sonst nur grau) DetailId=Menü ID DetailMenuHandler=Menü-Handler für die Anzeige des neuen Menüs DetailMenuModule=Modulname falls Menüeintrag aus einem Modul stimmt @@ -1740,10 +1745,10 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Diesen Standardwert automatisch als Ereignistyp im AGENDA_DEFAULT_FILTER_TYPE=Diesen Ereignisstatus automatisch in den Suchfilter für die Agenda-Ansicht übernehmen AGENDA_DEFAULT_FILTER_STATUS=Diesen Ereignisstatus automatisch in den Suchfilter für die Agenda-Ansicht übernehmen AGENDA_DEFAULT_VIEW=Welche Standardansicht soll geöffnet werden, wenn das Menü 'Agenda' geöffnet wird -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_REMINDER_BROWSER=Aktiviere die Ereigniserinnerung im Browser des Benutzers. (Wenn das Erinnerungsdatum erreicht ist, wird vom Browser ein Popup angezeigt. Jeder Benutzer kann solche Benachrichtigungen in seinem Browser-Benachrichtigungs-Setup deaktivieren.) AGENDA_REMINDER_BROWSER_SOUND=Aktiviere Tonbenachrichtigung -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment. +AGENDA_REMINDER_EMAIL=Aktiviere die Ereigniserinnerung per E-Mail (Erinnerungsoption / Verzögerung kann für jedes Ereignis definiert werden). +AGENDA_REMINDER_EMAIL_NOTE=Hinweis: Die Häufigkeit der Aufgabe %s muss ausreichen, um sicherzustellen, dass die Erinnerung zum richtigen Zeitpunkt gesendet wird. AGENDA_SHOW_LINKED_OBJECT=Verknüpfte Objekte in Agenda anzeigen ##### Clicktodial ##### ClickToDialSetup=Click-to-Dial Moduleinstellungen @@ -1985,12 +1990,12 @@ EMailHost=Hostname des IMAP-Servers MailboxSourceDirectory=Quellverzechnis des eMail-Kontos MailboxTargetDirectory=Zielverzechnis des eMail-Kontos EmailcollectorOperations=Aktivitäten, die der eMail-Collector ausführen soll -EmailcollectorOperationsDesc=Operations are executed from top to bottom order +EmailcollectorOperationsDesc=Operationen werden von oben nach unten ausgeführt MaxEmailCollectPerCollect=Maximale Anzahl an einzusammelnden E-Mails je Collect-Vorgang CollectNow=Jetzt abrufen ConfirmCloneEmailCollector=Sind Sie sicher, dass Sie den eMail-Collektor %s duplizieren möchten? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success +DateLastCollectResult=Datum des letzten eMail-Collect-Versuchs +DateLastcollectResultOk=Datum des letzten, erfolgreichen eMail-Collect LastResult=Letztes Ergebnis EmailCollectorConfirmCollectTitle=eMail-Collect-Bestätigung EmailCollectorConfirmCollect=Möchten Sie den Einsammelvorgang für diesen eMail-Collector starten? @@ -2008,7 +2013,7 @@ WithDolTrackingID=Nachricht einer Unterhaltung die durch eine erste von Dolibarr WithoutDolTrackingID=Nachricht einer Unterhaltung die NICHT durch eine erste von Dolibarr gesendete E-Mail initiiert wurde WithDolTrackingIDInMsgId=Nachricht von Dolibarr gesendet WithoutDolTrackingIDInMsgId=Nachricht NICHT von Dolibarr gesendet -CreateCandidature=Create job application +CreateCandidature=Stellen-Bewerbung erstellen FormatZip=PLZ MainMenuCode=Menüpunktcode (Hauptmenü) ECMAutoTree=Automatischen ECM-Baum anzeigen @@ -2086,7 +2091,7 @@ CountryIfSpecificToOneCountry=Land (falls spezifisch für ein bestimmtes Land) YouMayFindSecurityAdviceHere=Hier finden Sie Sicherheitshinweise ModuleActivatedMayExposeInformation=Dieses Modul kann vertrauliche Daten verfügbar machen. Wenn Sie es nicht benötigen, deaktivieren Sie es. ModuleActivatedDoNotUseInProduction=Ein für die Entwicklung entwickeltes Modul wurde aktiviert. Aktivieren Sie es nicht in einer Produktionsumgebung. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID +CombinationsSeparator=Trennzeichen für Produktkombinationen +SeeLinkToOnlineDocumentation=Beispiele finden Sie unter dem Link zur Online-Dokumentation im oberen Menü +SHOW_SUBPRODUCT_REF_IN_PDF=Wenn die Funktion "%s" des Moduls %s verwendet wird, werden Details zu Unterprodukten eines Satzes als PDF angezeigt. +AskThisIDToYourBank=Wenden Sie sich an Ihre Bank, um diese ID zu erhalten diff --git a/htdocs/langs/de_DE/agenda.lang b/htdocs/langs/de_DE/agenda.lang index 3e455da3ac5..ed52994e717 100644 --- a/htdocs/langs/de_DE/agenda.lang +++ b/htdocs/langs/de_DE/agenda.lang @@ -3,7 +3,7 @@ IdAgenda=Ereignis-ID Actions=Ereignisse Agenda=Terminplan TMenuAgenda=Terminplanung -Agendas=Tagesordnungen +Agendas=Terminpläne LocalAgenda=interne Kalender ActionsOwnedBy=Ereignis stammt von ActionsOwnedByShort=Eigentümer @@ -33,7 +33,7 @@ ViewPerType=Anzeige pro Typ AutoActions= Automatische Befüllung der Tagesordnung AgendaAutoActionDesc= Hier können Sie Ereignisse definieren, die Dolibarr automatisch in der Agenda erstellen soll. Wenn nichts markiert ist, werden nur manuelle Aktionen in die Protokolle aufgenommen und in der Agenda angezeigt. Die automatische Verfolgung von Geschäftsaktionen an Objekten (Validierung, Statusänderung) wird nicht gespeichert. AgendaSetupOtherDesc= Diese Seite bietet Optionen, um den Export Ihrer Dolibarr-Ereignisse in einen externen Kalender (Thunderbird, Google Calendar usw.) zu ermöglichen. -AgendaExtSitesDesc=Diese Seite erlaubt Ihnen externe Kalender zu konfigurieren. +AgendaExtSitesDesc=Diese Seite erlaubt es, externe Kalenderquellen zu definieren, um deren Termine in der Dolibarr-Terminplanung zu sehen. ActionsEvents=Veranstaltungen zur automatischen Übernahme in die Agenda EventRemindersByEmailNotEnabled=Aufgaben-/Terminerinnerungen via E-Mail sind in den Einstellungen des Moduls %s nicht aktiviert. ##### Agenda event labels ##### @@ -166,4 +166,4 @@ TimeType=Erinnerungsdauer ReminderType=Erinnerungstyp AddReminder=Erstellt eine automatische Erinnerungsbenachrichtigung für dieses Ereignis ErrorReminderActionCommCreation=Fehler beim Erstellen der Erinnerungsbenachrichtigung für dieses Ereignis -BrowserPush=Browser Popup Notification +BrowserPush=Browser-Popup-Benachrichtigung diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index 194484c6c0f..8a9495d3587 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -173,10 +173,10 @@ SEPAMandate=SEPA Mandat YourSEPAMandate=Ihr SEPA-Mandat FindYourSEPAMandate=Dies ist Ihr SEPA-Mandat, um unser Unternehmen zu ermächtigen, Lastschriftaufträge bei Ihrer Bank zu tätigen. Senden Sie es unterschrieben (Scan des unterschriebenen Dokuments) oder per Post an AutoReportLastAccountStatement=Füllen Sie das Feld 'Nummer des Kontoauszugs' bei der Abstimmung automatisch mit der Nummer des letzten Kontoauszugs -CashControl=POS cash desk control -NewCashFence=New cash desk closing +CashControl=POS-Kassensteuerung +NewCashFence=Neue Kasse schließt BankColorizeMovement=Bewegungen färben BankColorizeMovementDesc=Wenn diese Funktion aktiviert ist, können Sie eine bestimmte Hintergrundfarbe für Debit- oder Kreditbewegungen auswählen BankColorizeMovementName1=Hintergrundfarbe für Debit-Bewegung BankColorizeMovementName2=Hintergrundfarbe für Kredit-Bewegung -IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. +IfYouDontReconcileDisableProperty=Wenn Sie auf einigen Bankkonten keine Bankkontenabgleiche vornehmen, deaktivieren Sie die Eigenschaft "%s", um diese Warnung zu entfernen. diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 597455e1fda..1ecc1ea7641 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -520,7 +520,7 @@ EarlyClosingReason=Grund für die vorzeitige Schließung EarlyClosingComment=Notiz zur vorzeitigen Schließung ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Repräsentative Follow-up Kundenrechnung -TypeContact_facture_external_BILLING=Kundenrechnung Kontakt +TypeContact_facture_external_BILLING=Kontakt für Kundenrechnungen TypeContact_facture_external_SHIPPING=Kundenversand Kontakt TypeContact_facture_external_SERVICE=Kundenservice Kontakt TypeContact_invoice_supplier_internal_SALESREPFOLL=Repräsentative Folgerechnung eines Lieferanten @@ -577,6 +577,6 @@ UnitPriceXQtyLessDiscount=Stückpreis x Anzahl - Rabatt CustomersInvoicesArea=Abrechnungsbereich Kunden SupplierInvoicesArea=Abrechnungsbereich Lieferanten FacParentLine=Übergeordnete Rechnungszeile -SituationTotalRayToRest=Remainder to pay without taxe +SituationTotalRayToRest=Restbetrag zu zahlen ohne Steuern PDFSituationTitle=Situation Nr. %d -SituationTotalProgress=Total progress %d %% +SituationTotalProgress=Gesamtfortschritt %d %% diff --git a/htdocs/langs/de_DE/blockedlog.lang b/htdocs/langs/de_DE/blockedlog.lang index 000bab2d484..65396077e9f 100644 --- a/htdocs/langs/de_DE/blockedlog.lang +++ b/htdocs/langs/de_DE/blockedlog.lang @@ -35,7 +35,7 @@ logDON_DELETE=Spende automatisch gelöscht logMEMBER_SUBSCRIPTION_CREATE=Mitglieds-Abonnement erstellt logMEMBER_SUBSCRIPTION_MODIFY=Mitglieds-Abonnement geändert logMEMBER_SUBSCRIPTION_DELETE=Mitglieds-Abonnement automatisch löschen -logCASHCONTROL_VALIDATE=Cash desk closing recording +logCASHCONTROL_VALIDATE=Kassenabschluss-Aufzeichnung BlockedLogBillDownload=Kundenrechnung herunterladen BlockedLogBillPreview=Kundenrechnung - Vorschau BlockedlogInfoDialog=Details zum Log diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang index fd97417a179..32a071620bd 100644 --- a/htdocs/langs/de_DE/boxes.lang +++ b/htdocs/langs/de_DE/boxes.lang @@ -46,12 +46,12 @@ BoxTitleLastModifiedDonations=Zuletzt bearbeitete Spenden (maximal %s) BoxTitleLastModifiedExpenses=Zuletzt bearbeitete Spesenabrechnungen (maximal %s) BoxTitleLatestModifiedBoms=Zuletzt bearbeitete Stücklisten (maximal %s) BoxTitleLatestModifiedMos=Zuletzt bearbeitete Produktionsaufträge (maximal %s) -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded +BoxTitleLastOutstandingBillReached=Kunden mit überschrittenen Maximal-Aussenständen BoxGlobalActivity=Globale Aktivität (Rechnungen, Angebote, Aufträge) BoxGoodCustomers=Gute Kunden BoxTitleGoodCustomers=%s gute Kunden BoxScheduledJobs=Geplante Aufträge -BoxTitleFunnelOfProspection=Lead funnel +BoxTitleFunnelOfProspection=Interessenten Trichter FailedToRefreshDataInfoNotUpToDate=Fehler beim RSS-Abruf. Letzte erfolgreiche Aktualisierung: %s LastRefreshDate=Letzte Aktualisierung NoRecordedBookmarks=Keine Lesezeichen definiert. @@ -86,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=zuletzt bearbeitete Lieferantenbestellungen BoxTitleLastModifiedCustomerBills=Zuletzt bearbeitete Kundenrechnungen (maximal %s) BoxTitleLastModifiedCustomerOrders=Zuletzt bearbeitete Kundenaufträge (maximal %s) BoxTitleLastModifiedPropals=Zuletzt bearbeitete Angebote (maximal %s) -BoxTitleLatestModifiedJobPositions=Latest %s modified jobs -BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures +BoxTitleLatestModifiedJobPositions=Neueste %s geänderte Jobs +BoxTitleLatestModifiedCandidatures=Neueste %s modifizierte Kandidaturen ForCustomersInvoices=Kundenrechnungen ForCustomersOrders=Kundenaufträge ForProposals=Angebote @@ -105,7 +105,7 @@ SuspenseAccountNotDefined=Zwischenkonto ist nicht definiert BoxLastCustomerShipments=Letzte Kundenlieferungen BoxTitleLastCustomerShipments=Neueste %s Kundensendungen NoRecordedShipments=Keine erfasste Kundensendung -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxCustomersOutstandingBillReached=Kunden mit erreichtem Aussenständen-Limit # Pages AccountancyHome=Buchführung -ValidatedProjects=Validated projects +ValidatedProjects=Validierte Projekte diff --git a/htdocs/langs/de_DE/cashdesk.lang b/htdocs/langs/de_DE/cashdesk.lang index 91749c258e3..342df5e5a55 100644 --- a/htdocs/langs/de_DE/cashdesk.lang +++ b/htdocs/langs/de_DE/cashdesk.lang @@ -49,8 +49,8 @@ Footer=Fußzeile AmountAtEndOfPeriod=Betrag am Ende der Periode (Tag, Monat oder Jahr) TheoricalAmount=Theoretischer Betrag RealAmount=Realer Betrag -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Kassenschluss +CashFenceDone=Kassenschließung für den Zeitraum durchgeführt NbOfInvoices=Anzahl der Rechnungen Paymentnumpad=Art des Pads zur Eingabe der Zahlung Numberspad=Nummernblock @@ -77,7 +77,7 @@ POSModule=POS-Modul BasicPhoneLayout=Verwenden Sie das Basislayout für Telefone SetupOfTerminalNotComplete=Die Einrichtung von Terminal %s ist nicht abgeschlossen DirectPayment=Direktzahlung -DirectPaymentButton=Add a "Direct cash payment" button +DirectPaymentButton=Fügen Sie eine Schaltfläche "Direkte Barzahlung" hinzu InvoiceIsAlreadyValidated=Rechnung ist bereits geprüft NoLinesToBill=Keine Zeilen zu berechnen CustomReceipt=Benutzerdefinierte Quittung @@ -94,14 +94,14 @@ TakeposConnectorMethodDescription=Externes Modul mit zusätzlichen Funktionen. M PrintMethod=Druckmethode ReceiptPrinterMethodDescription=Leistungsstarke Methode mit vielen Parametern. Vollständig anpassbar mit Vorlagen. Kann nicht aus der Cloud drucken. ByTerminal=über Terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad +TakeposNumpadUsePaymentIcon=Verwenden Sie das Symbol anstelle des Textes auf den Zahlungsschaltflächen des Nummernblocks 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 -SaleStartedAt=Sale started at %s -ControlCashOpening=Control cash popup at opening POS -CloseCashFence=Close cash desk control +SaleStartedAt=Der Verkauf begann bei %s +ControlCashOpening=Kontrollieren Sie das Popup-Fenster beim Öffnen des POS +CloseCashFence=Schließen Sie die Kassensteuerung CashReport=Kassenbericht MainPrinterToUse=Quittungsdrucker OrderPrinterToUse=Drucker für Bestellungen @@ -118,9 +118,9 @@ HideCategoryImages=Kategorie Bilder ausblenden HideProductImages=Produktbilder ausblenden NumberOfLinesToShow=Anzahl der anzuzeigenden Bildzeilen DefineTablePlan=Tabellenplan definieren -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale +GiftReceiptButton=Fügen Sie eine Schaltfläche "Gutschrift-Quittung" hinzu +GiftReceipt=Gutschrift-Quittung +ModuleReceiptPrinterMustBeEnabled=Das Modul Belegdrucker muss zuerst aktiviert worden sein +AllowDelayedPayment=Verzögerte Zahlung zulassen +PrintPaymentMethodOnReceipts=Zahlungsmethode auf Tickets | Quittungen drucken +WeighingScale=Waage diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang index 3bdeda64aab..6a04179c699 100644 --- a/htdocs/langs/de_DE/categories.lang +++ b/htdocs/langs/de_DE/categories.lang @@ -19,7 +19,7 @@ ProjectsCategoriesArea=Übersicht Projektkategorien UsersCategoriesArea=Bereich: Benutzer Tags/Kategorien SubCats=Unterkategorie(n) CatList=Liste der Kategorien -CatListAll=List of tags/categories (all types) +CatListAll=Liste der Schlagwörter / Kategorien (alle Typen) NewCategory=Neue Kategorie ModifCat=Kategorie bearbeiten CatCreated=Kategorie erstellt @@ -66,30 +66,30 @@ UsersCategoriesShort=Benutzerkategorien StockCategoriesShort=Lagerort-Kategorien ThisCategoryHasNoItems=Diese Kategorie enthält keine Elemente. CategId=Kategorie-ID -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Übergeordnetes Schlagwort / Kategorie +ParentCategoryLabel=Label des übergeordneten Schlagwortes / der übergeordneten Kategorie +CatSupList=Liste der Schlagwörter / Kategorien für Anbieter +CatCusList=Liste der Schlagwörter / Kategorien für Kunden / Interessenten CatProdList=Liste der Produktkategorien CatMemberList=Liste der Mitgliederkategorien -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Liste der Schlagwörter / Kategorien für Kontakte +CatProjectsList=Liste der Schlagwörter / Kategorien für Projekte +CatUsersList=Liste der Schlagwörter / Kategorien für Benutzer +CatSupLinks=Verknüpfungen zwischen Anbietern und Schlagwörter / Kategorien CatCusLinks=Verbindung zwischen Kunden-/Leads und Kategorien CatContactsLinks=Verknüpfungen zwischen Kontakten/Adressen und Tags/Kategorien CatProdLinks=Verbindung zwischen Produkten/Leistungen und Kategorien CatMembersLinks=Verbindung zwischen Mitgliedern und Kategorien CatProjectsLinks=Verbindung zwischen Projekten und Kategorien bzw. Suchwörtern -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Verknüpfungen zwischen Benutzern und Schlagwörter / Kategorien DeleteFromCat=Aus Kategorie entfernen ExtraFieldsCategories=Ergänzende Attribute CategoriesSetup=Kategorie-Einstellungen CategorieRecursiv=Automatisch mit übergeordneter Kategorie verbinden CategorieRecursivHelp=Wenn die Option aktiviert ist, wird beim Hinzufügen eines Produkts zu einer Unterkategorie das Produkt auch automatisch zur übergeordneten Kategorie hinzugefügt. AddProductServiceIntoCategory=Folgendes Produkt / folgende Leistung dieser Kategorie hinzufügen: -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier +AddCustomerIntoCategory=Ordnen Sie dem Kunden eine Kategorie zu +AddSupplierIntoCategory=Ordnen Sie dem Lieferanten eine Kategorie zu ShowCategory=Zeige Kategorie ByDefaultInList=Standardwert in Liste ChooseCategory=Kategorie auswählen diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang index 44fe68c41d4..717b52abe65 100644 --- a/htdocs/langs/de_DE/companies.lang +++ b/htdocs/langs/de_DE/companies.lang @@ -213,7 +213,7 @@ ProfId1MA=Prof ID 1 (R.C.) ProfId2MA=Prof ID 2 ProfId3MA=Prof ID 3 ProfId4MA=Prof ID 4 -ProfId5MA=Id prof. 5 (I.C.E.) +ProfId5MA=Id prof. 5 (Identifiant Commun Entreprise) ProfId6MA=- ProfId1MX=Prof Id 1 (R.F.C). ProfId2MX=Prof Id 2 (R..P. IMSS) @@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Überprüfungsergebnis des MwSt-Informationsaustauschs VATIntraManualCheck=Sie können die Überprüfung auch manuell auf der Internetseite der Europäische Kommission durchführen: %s ErrorVATCheckMS_UNAVAILABLE=Anfrage nicht möglich. Überprüfungsdienst wird vom Mitgliedsland nicht angeboten (%s). NorProspectNorCustomer=kein Interessent / kein Kunde -JuridicalStatus=Business entity type +JuridicalStatus=Geschäftsentitätstyp Workforce=Mitarbeiter/innen Staff=Mitarbeiter ProspectLevelShort=Potenzial diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index e1534b71545..472a03cbb90 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -111,7 +111,7 @@ Refund=Rückerstattung SocialContributionsPayments=Sozialabgaben-/Steuer Zahlungen ShowVatPayment=Zeige USt. Zahlung TotalToPay=Zu zahlender Gesamtbetrag -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters) +BalanceVisibilityDependsOnSortAndFilters=Der Kontostand ist in dieser Liste nur sichtbar, wenn die Tabelle nach %s sortiert und nach 1 Bankkonto gefiltert ist (ohne andere Filter). CustomerAccountancyCode=Kontierungscode Kunde SupplierAccountancyCode=Kontierungscode Lieferanten CustomerAccountancyCodeShort=Buchh. Kunden-Konto @@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Möchten Sie diese Sozialabgaben-, oder Steuerza ExportDataset_tax_1=Steuer- und Sozialabgaben und Zahlungen CalcModeVATDebt=Modus %s USt. auf Engagement Rechnungslegung %s. CalcModeVATEngagement=Modus %sTVA auf Einnahmen-Ausgaben%s. -CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger. +CalcModeDebt=Analyse bekannter erfasster Dokumente, auch wenn diese noch nicht im Hauptbuch erfasst sind. CalcModeEngagement=Analyse der erfassten Zahlungen, auch wenn diese noch nicht Kontiert wurden CalcModeBookkeeping=Analyse der in der Tabelle Buchhaltungs-Ledger protokollierten Daten. CalcModeLT1= Modus %sRE auf Kundenrechnungen - Lieferantenrechnungen%s @@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Saldo der Erträge und Aufwendungen, Jahresübersic AnnualByCompanies=Bilanz Ertrag/Aufwand, pro vordefinierten Kontogruppen AnnualByCompaniesDueDebtMode=Die Ertrags-/Aufwands-Bilanz nach vordefinierten Gruppen, im Modus %sForderungen-Verbindlichkeiten%s meldet Kameralistik. AnnualByCompaniesInputOutputMode=Die Ertrags-/Aufwands-Bilanz im Modus %sEinkünfte-Ausgaben%s meldet Ist-Besteuerung. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger -SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger -SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table +SeeReportInInputOutputMode=Siehe %sAnalyse der Zahlungen%s für eine Berechnung basierend auf erfassten Zahlungen , auch wenn diese noch nicht ins Hauptbuch übernommen wurden. +SeeReportInDueDebtMode=Siehe %sAnalyse aufgezeichneter Dokumente%s für eine Berechnung basierend auf bekannten aufgezeichneten Dokumenten , auch wenn diese noch nicht ins Hauptbuch übernommen wurden. +SeeReportInBookkeepingMode=Siehe %sAnalyse des Buchhaltungsbuchs-Tabelle%s für einen Bericht basierend auf Buchhaltungstabelle RulesAmountWithTaxIncluded=- Angezeigte Beträge enthalten alle Steuern 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. @@ -169,15 +169,15 @@ RulesResultBookkeepingPersonalized=Zeigt die Buchungen im Hauptbuch mit Konten < SeePageForSetup=Siehe Menü %s für die Einrichtung DepositsAreNotIncluded=- Anzahlungsrechnungen sind nicht enthalten DepositsAreIncluded=- Inklusive Anzahlungsrechnungen -LT1ReportByMonth=Tax 2 report by month -LT2ReportByMonth=Tax 3 report by month +LT1ReportByMonth=Steuer 2 Bericht pro Monat +LT2ReportByMonth=Steuer 3 Bericht pro Monat LT1ReportByCustomers=Auswertung Steuer 2 pro Partner LT2ReportByCustomers=Auswertung Steuer 3 pro Partner LT1ReportByCustomersES=Bericht von Kunden RE LT2ReportByCustomersES=Bericht von Partner EKSt. VATReport=Umsatzsteuer Report VATReportByPeriods=Umsatzsteuerauswertung pro Periode -VATReportByMonth=Sale tax report by month +VATReportByMonth=Umsatzsteuerbericht nach Monat VATReportByRates=Umsatzsteuerauswertung pro Steuersatz VATReportByThirdParties=Umsatzsteuerauswertung pro Partner VATReportByCustomers=Umsatzsteuerauswertung pro Kunde diff --git a/htdocs/langs/de_DE/cron.lang b/htdocs/langs/de_DE/cron.lang index 134c7aaecc9..16b0ab2b940 100644 --- a/htdocs/langs/de_DE/cron.lang +++ b/htdocs/langs/de_DE/cron.lang @@ -7,14 +7,14 @@ Permission23103 = Lösche geplanten Job Permission23104 = Führe geplanten Job aus # Admin CronSetup=Jobverwaltungs-Konfiguration -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser +URLToLaunchCronJobs=URL zum Überprüfen und Starten qualifizierter Cron-Jobs über einen Browser +OrToLaunchASpecificJob=Oder um einen bestimmten Job über einen Browser zu überprüfen und zu starten KeyForCronAccess=Sicherheitsschlüssel für URL zum Starten von Cronjobs FileToLaunchCronJobs=Befehlszeile zum Überprüfen und Starten von qualifizierten Cron-Jobs CronExplainHowToRunUnix=In Unix-Umgebung sollten Sie die folgenden crontab-Eintrag verwenden, um die Befehlszeile alle 5 Minuten ausführen CronExplainHowToRunWin=In Microsoft™ Windows Umgebungen kannst Du die Aufgabenplanung benutzen, um die Kommandozeile alle 5 Minuten aufzurufen. CronMethodDoesNotExists=Klasse %s enthält keine Methode %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods +CronMethodNotAllowed=Die Methode %s der Klasse %s befindet sich in der schwarzen Liste der verbotenen Methoden CronJobDefDesc=Cron-Jobprofile sind in der Moduldeskriptordatei definiert. Wenn das Modul aktiviert ist, sind diese geladen und verfügbar, so dass Sie die Jobs über das Menü admin tools %s verwalten können. CronJobProfiles=Liste vordefinierter Cron-Jobprofile # Menu @@ -47,7 +47,7 @@ CronNbRun=Anzahl Starts CronMaxRun=Maximale Anzahl von Starts CronEach=Jede JobFinished=Job gestartet und beendet -Scheduled=Scheduled +Scheduled=Geplant #Page card CronAdd= Jobs hinzufügen CronEvery=Jeden Job ausführen @@ -58,7 +58,7 @@ CronNote=Kommentar CronFieldMandatory=Feld %s ist zwingend nötig CronErrEndDateStartDt=Enddatum kann nicht vor dem Startdatum liegen StatusAtInstall=Status bei der Modulinstallation -CronStatusActiveBtn=Schedule +CronStatusActiveBtn=Zeitplan CronStatusInactiveBtn=Deaktivieren CronTaskInactive=Dieser Job ist deaktiviert CronId=ID @@ -84,8 +84,8 @@ MakeLocalDatabaseDumpShort=lokales Datenbankbackup MakeLocalDatabaseDump=Erstellen Sie einen lokalen Datenbankspeicherauszug. Parameter sind: Komprimierung ('gz' oder 'bz' oder 'none'), Sicherungstyp ('mysql', 'pgsql', 'auto'), 1, 'auto' oder zu erstellender Dateiname, Anzahl der zu speichernden Sicherungsdateien WarningCronDelayed=Bitte beachten: Aus Leistungsgründen können Ihre Jobs um bis zu %s Stunden verzögert werden, unabhängig vom nächsten Ausführungstermin. DATAPOLICYJob=Datenbereiniger und Anonymisierer -JobXMustBeEnabled=Job %s must be enabled +JobXMustBeEnabled=Job %s muss aktiviert sein # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=Zuletzt ausgeführter geplanter Job +NextScheduledJobExecute=Nächster geplanter Job, der ausgeführt werden soll +NumberScheduledJobError=Anzahl der fehlerhaften geplanten Jobs diff --git a/htdocs/langs/de_DE/deliveries.lang b/htdocs/langs/de_DE/deliveries.lang index aabd4dea18c..c3c906b07e4 100644 --- a/htdocs/langs/de_DE/deliveries.lang +++ b/htdocs/langs/de_DE/deliveries.lang @@ -12,7 +12,7 @@ ValidateDeliveryReceiptConfirm=Sind Sie sicher, dass Sie diesen Lieferschein bes DeleteDeliveryReceipt=Lieferschein löschen DeleteDeliveryReceiptConfirm=Möchten Sie den Lieferschein %s wirklich löschen? DeliveryMethod=Versandart -TrackingNumber=Tracking Nummer +TrackingNumber=Sendungsnummer DeliveryNotValidated=Lieferung nicht validiert StatusDeliveryCanceled=Storniert StatusDeliveryDraft=Entwurf @@ -27,5 +27,6 @@ Recipient=Empfänger ErrorStockIsNotEnough=Nicht genügend Bestand Shippable=Versandfertig NonShippable=Nicht versandfertig +ShowShippableStatus=Versandstatus anzeigen ShowReceiving=Zustellbestätigung anzeigen NonExistentOrder=Auftrag existiert nicht diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang index ca982970c68..706af0b1a82 100644 --- a/htdocs/langs/de_DE/ecm.lang +++ b/htdocs/langs/de_DE/ecm.lang @@ -23,7 +23,7 @@ ECMSearchByKeywords=Suche nach Stichwörtern ECMSearchByEntity=Suche nach Objekten/Belegarten ECMSectionOfDocuments=Dokumentenordner ECMTypeAuto=Automatisch -ECMDocsBy=Documents linked to %s +ECMDocsBy=Mit %s verknüpfte Dokumente ECMNoDirectoryYet=noch kein Verzeichnis erstellt ShowECMSection=Verzeichnis anzeigen DeleteSection=Verzeichnis löschen @@ -38,6 +38,6 @@ ReSyncListOfDir=Liste der Verzeichnisse nochmal synchronisieren HashOfFileContent=Hashwert der Datei NoDirectoriesFound=Keine Verzeichnisse gefunden FileNotYetIndexedInDatabase=Datei noch nicht in Datenbank indiziert (bitte Datei nochmals hochladen) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories +ExtraFieldsEcmFiles=Extrafelder Ecm-Dateien +ExtraFieldsEcmDirectories=Extrafelder Ecm-Verzeichnisse ECMSetup=DMS Einstellungen diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index dda5099960f..b99e6a58364 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -5,10 +5,10 @@ NoErrorCommitIsDone=Kein Fehler, Befehl wurde ausgeführt # Errors ErrorButCommitIsDone=Fehler aufgetreten, Freigabe erfolgt dennoch ErrorBadEMail=Die E-Mail-Adresse %s ist nicht korrekt -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) +ErrorBadMXDomain=E-Mail %s scheint falsch zu sein (Domain hat keinen gültigen MX-Eintrag) ErrorBadUrl=URL %s ist nicht korrekt ErrorBadValueForParamNotAString=Ungültiger Wert für Ihren Parameter. Normalerweise passiert das, wenn die Übersetzung fehlt. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=Die Referenz %s ist bereits vorhanden. ErrorLoginAlreadyExists=Benutzername %s existiert bereits. ErrorGroupAlreadyExists=Gruppe %s existiert bereits. ErrorRecordNotFound=Eintrag wurde nicht gefunden. @@ -50,7 +50,7 @@ ErrorFieldsRequired=Ein oder mehrere erforderliche Felder wurden nicht ausgefül 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. -ErrorSetupOfEmailsNotComplete=Setup of emails is not complete +ErrorSetupOfEmailsNotComplete=Das Einrichten von E-Mails ist nicht abgeschlossen ErrorFeatureNeedJavascript=Diese Funktion erfordert aktiviertes JavaScript. Sie können dies unter Einstellungen-Anzeige ändern. ErrorTopMenuMustHaveAParentWithId0=Ein Menü vom Typ 'Top' kann kein Eltern-Menü sein. Setzen Sie 0 als Eltern-Menü oder wählen Sie ein Menü vom Typ 'Links'. ErrorLeftMenuMustHaveAParentId=Ein Menü vom Typ 'Links' erfordert einen Eltern-Menü ID. @@ -78,7 +78,7 @@ ErrorExportDuplicateProfil=Dieser Profilname existiert bereits für dieses Expor ErrorLDAPSetupNotComplete=Der LDAP-Abgleich für dieses System ist nicht vollständig eingerichtet. ErrorLDAPMakeManualTest=Eine .ldif-Datei wurde im Verzeichnis %s erstellt. Laden Sie diese Datei von der Kommandozeile aus um mehr Informationen über Fehler zu erhalten. ErrorCantSaveADoneUserWithZeroPercentage=Ereignisse können nicht mit Status "Nicht begonnen" gespeichert werden, wenn das Feld "Erledigt durch" ausgefüllt ist. -ErrorRefAlreadyExists=Reference %s already exists. +ErrorRefAlreadyExists=Die Referenz %s ist bereits vorhanden. ErrorPleaseTypeBankTransactionReportName=Geben Sie den Kontoauszug an, in dem die Zahlung enthalten ist (Format JJJJMM oder JJJJMMTT) ErrorRecordHasChildren=Kann diesen Eintrag nicht löschen. Dieser Eintrag wird von mindestens einem untergeordneten Datensatz verwendet. ErrorRecordHasAtLeastOneChildOfType=Objekt hat mindestens einen Untereintrag vom Typ %s @@ -219,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Sie müssen angeben ob der Artike ErrorDiscountLargerThanRemainToPaySplitItBefore=Der Rabatt den Sie anwenden wollen ist grösser als der verbleibende Rechnungsbetrag. Teilen Sie den Rabatt in zwei kleinere Rabatte auf. ErrorFileNotFoundWithSharedLink=Datei nicht gefunden. Eventuell wurde der Sharekey verändert oder die Datei wurde gelöscht. ErrorProductBarCodeAlreadyExists=Der Produktbarcode %sexistiert schon bei einer anderen Produktreferenz -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Beachte auch, dass die Verwendung von Sätzen zum automatischen Erhöhen / Verringern von Unterprodukten nicht möglich ist, wenn mindestens ein Unterprodukt (oder Unterprodukt von Unterprodukten) eine Serien- / Chargennummer benötigt. ErrorDescRequiredForFreeProductLines=Beschreibung ist erforderlich für freie Produkte ErrorAPageWithThisNameOrAliasAlreadyExists=Die Seite/der Container %s hat denselben Namen oder alternativen Alias, den Sie verwenden möchten ErrorDuringChartLoad=Fehler beim Laden des Kontenplans. Wenn einige Konten nicht geladen wurden, können Sie sie trotzdem manuell eingeben. @@ -243,18 +243,18 @@ ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Bestand nicht ausreichend f 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 -ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number -ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number -ErrorFailedToReadObject=Error, failed to read object of type %s -ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler -ErrorLoginDateValidity=Error, this login is outside the validity date range -ErrorValueLength=Length of field '%s' must be higher than '%s' -ErrorReservedKeyword=The word '%s' is a reserved keyword -ErrorNotAvailableWithThisDistribution=Not available with this distribution +ErrorProductNeedBatchNumber=Fehler, das Produkt ' %s ' benötigt eine Chargen- / Seriennummer +ErrorProductDoesNotNeedBatchNumber=Fehler, dieses Produkt ' %s ' akzeptiert keine Chargen- / Seriennummer +ErrorFailedToReadObject=Fehler, das Objekt vom Typ %s konnte nicht gelesen werden +ErrorParameterMustBeEnabledToAllwoThisFeature=Fehler, Parameter %s muss in conf / conf.php aktiviert sein, damit die Befehlszeilen-Schnittstelle vom internen Job Scheduler verwendet werden kann +ErrorLoginDateValidity=Fehler, diese Anmeldung liegt außerhalb des Gültigkeitszeitraums +ErrorValueLength=Die Länge des Feldes ' %s ' muss höher sein als ' %s '. +ErrorReservedKeyword=Das Wort ' %s ' ist ein reserviertes Schlüsselwort +ErrorNotAvailableWithThisDistribution=Nicht verfügbar mit dieser Version ErrorPublicInterfaceNotEnabled=Öffentliche Schnittstelle wurde nicht aktiviert -ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page -ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page -ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation +ErrorLanguageRequiredIfPageIsTranslationOfAnother=Die Sprache der neuen Seite muss definiert werden, wenn sie als Übersetzung einer anderen Seite festgelegt ist +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Die Sprache der neuen Seite darf nicht die Ausgangssprache sein, wenn sie als Übersetzung einer anderen Seite festgelegt ist +ErrorAParameterIsRequiredForThisOperation=Für diesen Vorgang ist ein Parameter obligatorisch # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. @@ -280,10 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Ihr Login wurde verändert. Aus Sicherhei WarningAnEntryAlreadyExistForTransKey=Eine Übersetzung für diesen Übersetzungsschlüssel existiert schon für diese Sprache WarningNumberOfRecipientIsRestrictedInMassAction=Achtung, die Anzahl der verschiedenen Empfänger ist auf %s beschränkt, wenn Massenaktionen für Listen verwendet werden WarningDateOfLineMustBeInExpenseReportRange=Das Datum dieser Positionszeile ist ausserhalb der Datumsspanne dieser Spesenabrechnung -WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks. +WarningProjectDraft=Das Projekt befindet sich noch im Entwurfsmodus. Vergessen Sie nicht, es zu validieren, wenn Sie Aufgaben verwenden möchten. 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=Warning, failed to add file entry into ECM database index table -WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on. -WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list -WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection. +WarningFailedToAddFileIntoDatabaseIndex=Warnung: Dateieintrag zur ECM-Datenbankindextabelle konnte nicht hinzugefügt werden +WarningTheHiddenOptionIsOn=Achtung, die versteckte Option %s ist aktiviert. +WarningCreateSubAccounts=Achtung, Sie können kein Unterkonto direkt erstellen. Sie müssen einen Geschäftspartner oder einen Benutzer erstellen und ihm einen Buchungscode zuweisen, um sie in dieser Liste zu finden +WarningAvailableOnlyForHTTPSServers=Nur verfügbar, wenn eine HTTPS-gesicherte Verbindung verwendet wird. diff --git a/htdocs/langs/de_DE/exports.lang b/htdocs/langs/de_DE/exports.lang index 2aeaf6a36a0..911f2646c68 100644 --- a/htdocs/langs/de_DE/exports.lang +++ b/htdocs/langs/de_DE/exports.lang @@ -133,4 +133,4 @@ KeysToUseForUpdates=Schlüssel (Spalte), der zum Aktualisieren der vorh NbInsert=Anzahl eingefügter Zeilen: %s NbUpdate=Anzahl geänderter Zeilen: %s MultipleRecordFoundWithTheseFilters=Mehrere Ergebnisse wurden mit diesen Filtern gefunden: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +StocksWithBatch=Lagerbestände und Standort (Lager) von Produkten mit Chargen- / Seriennummer diff --git a/htdocs/langs/de_DE/ftp.lang b/htdocs/langs/de_DE/ftp.lang index b620f05a5ce..c60e50f9251 100644 --- a/htdocs/langs/de_DE/ftp.lang +++ b/htdocs/langs/de_DE/ftp.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - ftp -FTPClientSetup=FTP-Verbindungseinstellungen -NewFTPClient=Neue FTP-Verbindung -FTPArea=FTP-Verbindung(en) -FTPAreaDesc=Diese Ansicht zeigt Ihnen den Inhalt eines FTP-Servers an. -SetupOfFTPClientModuleNotComplete=Die Einstellungen des FTP-Verbindungsmoduls scheinen unvollständig zu sein. -FTPFeatureNotSupportedByYourPHP=Ihre eingesetzte PHP-Version unterstützt keine FTP-Funktionen -FailedToConnectToFTPServer=Fehler beim Verbindungsaufbau zum FTP-Server %s, Port %s -FailedToConnectToFTPServerWithCredentials=Anmeldung am FTP-Server mit dem eingegebenen Benutzername / Passwort fehlgeschlagen +FTPClientSetup=Einrichtung des FTP- oder SFTP-Client-Moduls +NewFTPClient=Neue FTP / FTPS-Verbindungs-Konfiguration +FTPArea=FTP / FTPS-Bereich +FTPAreaDesc=Dieser Bildschirm zeigt eine Ansicht eines FTP- und SFTP-Servers. +SetupOfFTPClientModuleNotComplete=Die Konfiguration des FTP- oder SFTP-Client-Moduls scheint unvollständig zu sein +FTPFeatureNotSupportedByYourPHP=Ihr PHP unterstützt keine FTP- oder SFTP-Funktionen +FailedToConnectToFTPServer=Verbindung zum Server fehlgeschlagen (Server %s, Port %s) +FailedToConnectToFTPServerWithCredentials=Anmeldung am Server mit definiertem Login / Passwort fehlgeschlagen FTPFailedToRemoveFile=Konnte Datei %s nicht entfernen. Überprüfen Sie die Berechtigungen. FTPFailedToRemoveDir=Konnte Verzeichnis %s nicht entfernen. Überprüfen Sie die Berechtigungen und ob das Verzeichnis leer ist. FTPPassiveMode=Passives FTP -ChooseAFTPEntryIntoMenu=Wählen Sie eine FTP-Adresse im Menü aus +ChooseAFTPEntryIntoMenu=Wählen Sie eine FTP / SFTP-Seite aus dem Menü ... FailedToGetFile=Folgende Datei(en) konnte(n) nicht geladen werden: %s diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang index 8e13ddb9d25..0822f3dda20 100644 --- a/htdocs/langs/de_DE/interventions.lang +++ b/htdocs/langs/de_DE/interventions.lang @@ -4,7 +4,7 @@ Interventions=Serviceaufträge InterventionCard=Serviceauftrag - Arbeitsbericht NewIntervention=Neuer Serviceauftrag AddIntervention=Serviceauftrag erstellen -ChangeIntoRepeatableIntervention=Wechseln Sie zu wiederholbaren Eingriffen +ChangeIntoRepeatableIntervention=Wechseln Sie zu wiederholbaren Serviceauftrag ListOfInterventions=Liste der Serviceaufträge ActionsOnFicheInter=Aktionen zum Serviceauftrag LastInterventions=%s neueste Serviceaufträge @@ -65,4 +65,4 @@ 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 Reopen=entwerfen -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? +ConfirmReopenIntervention=Möchten Sie den Serviceauftrag %s wieder öffnen? diff --git a/htdocs/langs/de_DE/intracommreport.lang b/htdocs/langs/de_DE/intracommreport.lang index 4ce6f017ea5..c86e525cc51 100644 --- a/htdocs/langs/de_DE/intracommreport.lang +++ b/htdocs/langs/de_DE/intracommreport.lang @@ -31,10 +31,10 @@ IntracommReportTitle=XML-Datei der Zollerklärung vorbereiten # List IntracommReportList=Liste der Erkärungen -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis +IntracommReportNumber=Numero der Erklärung +IntracommReportPeriod=Analysezeitraum IntracommReportTypeDeclaration=Art der Erklärung -IntracommReportDownload=download XML file +IntracommReportDownload=XML-Datei herunterladen # Invoice IntracommReportTransportMode=Versandweg diff --git a/htdocs/langs/de_DE/languages.lang b/htdocs/langs/de_DE/languages.lang index 0c63da65bab..9a61df6591a 100644 --- a/htdocs/langs/de_DE/languages.lang +++ b/htdocs/langs/de_DE/languages.lang @@ -40,7 +40,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanisch (Paraguay) Language_es_PE=Spanisch (Peru) Language_es_PR=Spanisch (Puerto Rico) -Language_es_US=Spanish (USA) +Language_es_US=Spanisch (USA) Language_es_UY=Spanisch (Uruguay) Language_es_GT=Spanisch (Guatemala) Language_es_VE=Spanisch (Venezuela) diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index 0fce6b642ae..564f776ffcf 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -92,7 +92,7 @@ MailingModuleDescEmailsFromUser=E-Mail-Adresse durch manuelle Eingabe hinzufüge MailingModuleDescDolibarrUsers=Benutzer mit E-Mail-Adresse MailingModuleDescThirdPartiesByCategories=Partner (nach Kategorien) SendingFromWebInterfaceIsNotAllowed=Versand vom Webinterface ist nicht erlaubt -EmailCollectorFilterDesc=All filters must match to have an email being collected +EmailCollectorFilterDesc=Alle Filter müssen übereinstimmen, damit eine E-Mail erfasst wird # Libelle des modules de liste de destinataires mailing LineInFile=Zeile %s in der Datei @@ -126,13 +126,13 @@ TagMailtoEmail=Empfänger E-Mail (beinhaltet html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender- oder Empfängeradresse. Benutzerprofil kontrollieren. # Module Notifications Notifications=Benachrichtigungen -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +NotificationsAuto=Benachrichtigungen Auto. +NoNotificationsWillBeSent=Für diesen Ereignistyp und dieses Unternehmen sind keine automatischen E-Mail-Benachrichtigungen geplant +ANotificationsWillBeSent=1 automatische Benachrichtigung wird per E-Mail gesendet +SomeNotificationsWillBeSent=%s automatische Benachrichtigungen werden per E-Mail gesendet +AddNewNotification=Abonnieren Sie eine neue automatische E-Mail-Benachrichtigung (Ziel / Ereignis) +ListOfActiveNotifications=Alle aktiven Abonnements (Ziele / Ereignisse) für die automatische E-Mail-Benachrichtigung auflisten +ListOfNotificationsDone=Alle automatisch gesendeten E-Mail-Benachrichtigungen auflisten MailSendSetupIs=Der E-Mail-Versand wurde auf '%s' konfiguriert. Dieser Modus kann nicht für E-Mail-Kampagnen verwendet werden. MailSendSetupIs2=Sie müssen zuerst mit einem Admin-Konto im Menü %sStart - Einstellungen - E-Mails%s den Parameter '%s' auf den Modus '%s' ändern. Dann können Sie die Daten des SMTP-Servers von Ihrem Internetdienstanbieter eingeben und die E-Mail-Kampagnen-Funktion nutzen. MailSendSetupIs3=Bei Fragen über die Einrichtung Ihres SMTP-Servers, können Sie %s fragen. @@ -142,7 +142,7 @@ UseFormatFileEmailToTarget=Die importierte Datei muss im folgenden Format vorlie UseFormatInputEmailToTarget=Geben Sie eine Zeichenkette im Format
E-Mail-Adresse;Nachname;Vorname;Zusatzinformationen ein MailAdvTargetRecipients=Empfänger (Erweitere Selektion) AdvTgtTitle=Füllen Sie die Eingabefelder zur Vorauswahl der Partner- oder Kontakt- / Adressen - Empänger -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima +AdvTgtSearchTextHelp=Verwenden Sie %% als Platzhalter. Um beispielsweise alle Elemente wie jean, joe, jim zu finden, können Sie j%% eingeben, außerdem ; als Trennzeichen für Werte verwenden und ! für ohne diesen Wert. Zum Beispiel wird jean; joe; jim%% ;! Jimo ;!jima%% zielt auf alle die mit jean, joe, jim beginnen, aber nicht auf jimo und nicht auf alles, was mit jima beginnt AdvTgtSearchIntHelp=Intervall verwenden um eine Integer oder Fliesskommazahl auszuwählen AdvTgtMinVal=Mindestwert AdvTgtMaxVal=Maximalwert @@ -164,14 +164,14 @@ AdvTgtCreateFilter=Filter erstellen AdvTgtOrCreateNewFilter=Name des neuen Filters NoContactWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden NoContactLinkedToThirdpartieWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup +OutGoingEmailSetup=Ausgehende E-Mails +InGoingEmailSetup=Eingehende E-Mails +OutGoingEmailSetupForEmailing=Ausgehende E-Mails (für Modul %s) +DefaultOutgoingEmailSetup=Gleiche Konfiguration wie beim globalen Setup für ausgehende E-Mails Information=Information ContactsWithThirdpartyFilter=Kontakte mit Drittanbieter-Filter -Unanswered=Unanswered +Unanswered=Unbeantwortet Answered=Beantwortet -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s +IsNotAnAnswer=Ist keine Antwort (Initial-E-Mail) +IsAnAnswer=Ist eine Antwort auf eine Initial-E-Mail +RecordCreatedByEmailCollector=Datensatz, der vom E-Mail-Sammler %s aus der E-Mail %s erstellt wurde diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index 15d7fd40d5c..c8e6d713b18 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -30,7 +30,7 @@ NoTranslation=Keine Übersetzung Translation=Übersetzung CurrentTimeZone=Aktuelle Zeitzone des PHP-Servers EmptySearchString=Keine leeren Suchkriterien eingeben -EnterADateCriteria=Enter a date criteria +EnterADateCriteria=Geben Sie ein Datumskriterium ein NoRecordFound=Keinen Eintrag gefunden NoRecordDeleted=Keine Datensätze gelöscht NotEnoughDataYet=nicht genügend Daten @@ -87,7 +87,7 @@ FileWasNotUploaded=Ein Dateianhang wurde gewählt aber noch nicht hochgeladen. K NbOfEntries=Anz. an Einträgen GoToWikiHelpPage=Onlinehilfe lesen (Internetzugang notwendig) GoToHelpPage=Hilfe lesen -DedicatedPageAvailable=There is a dedicated help page related to your current screen +DedicatedPageAvailable=Es gibt eine spezielle Hilfeseite, die sich auf Ihren aktuellen Bildschirm bezieht HomePage=Startseite RecordSaved=Eintrag gespeichert RecordDeleted=Eintrag gelöscht @@ -201,7 +201,7 @@ ReOpen=Wiedereröffnen Upload=Upload ToLink=Link Select=Wählen Sie -SelectAll=Select all +SelectAll=Alle wählen Choose=Wählen Resize=Skalieren ResizeOrCrop=Grösse ändern oder zuschneiden @@ -262,7 +262,7 @@ Cards=Karten Card=Übersicht Now=Jetzt HourStart=Startzeit -Deadline=Deadline +Deadline=Frist Date=Datum DateAndHour=Datum und Uhrzeit DateToday=heutiges Datum @@ -271,10 +271,10 @@ DateStart=Startdatum DateEnd=Enddatum DateCreation=Erstellungsdatum DateCreationShort=Erstelldatum -IPCreation=Creation IP +IPCreation=Erstellungs-IP DateModification=Änderungsdatum DateModificationShort=Änderungsdatum -IPModification=Modification IP +IPModification=Änderungs-IP DateLastModification=Datum letzte Änderung DateValidation=Freigabedatum DateClosing=Schließungsdatum @@ -328,7 +328,7 @@ Morning=Morgen Afternoon=Nachmittag Quadri=vierfach MonthOfDay=Tag des Monats -DaysOfWeek=Days of week +DaysOfWeek=Wochentage HourShort=H MinuteShort=mn Rate=Rate @@ -379,7 +379,7 @@ MulticurrencyPaymentAmount=Zahlungsbetrag, Originalwährung MulticurrencyAmountHT=Nettobetrag, Originalwährung MulticurrencyAmountTTC=Betrag (Brutto), Originalwährung MulticurrencyAmountVAT=Steuerbetrag, Originalwährung -MulticurrencySubPrice=Amount sub price multi currency +MulticurrencySubPrice=Betrag Unterpreis Mehrfach-Währung AmountLT1=USt.-Betrag 2 AmountLT2=USt.-Betrag 3 AmountLT1ES=RE Betrag @@ -437,7 +437,7 @@ RemainToPay=noch offen Module=Module / Anwendungen Modules=Module / Anwendungen Option=Option -Filters=Filters +Filters=Filter List=Liste FullList=Vollständige Liste FullConversation=Ganzes Gespräch @@ -499,7 +499,7 @@ By=Durch From=Von FromDate=von FromLocation=von -at=at +at=beim to=An To=An and=und @@ -522,7 +522,7 @@ Draft=Entwurf Drafts=Entwürfe StatusInterInvoiced=Berechnet Validated=Bestätigt -ValidatedToProduce=Validated (To produce) +ValidatedToProduce=Validiert (zu produzieren) Opened=Geöffnet OpenAll=Öffnen (Alle) ClosedAll=Schließen (Alle) @@ -893,8 +893,8 @@ Miscellaneous=Verschiedenes Calendar=Terminkalender GroupBy=Gruppiere nach ... ViewFlatList=Listenansicht zeigen -ViewAccountList=View ledger -ViewSubAccountList=View subaccount ledger +ViewAccountList=Hauptbuch anzeigen +ViewSubAccountList=Unterkonten-Buch anzeigen RemoveString=Entfernen Sie die Zeichenfolge '%s' SomeTranslationAreUncomplete=Einige Sprachen sind nur teilweise übersetzt oder enthalten Fehler. Wenn Sie dies feststellen, können Sie die Übersetzungen unter https://www.transifex.com/dolibarr-association/dolibarr/translate/#de_DE/ verbessern bzw. ergänzen. DirectDownloadLink=Direkter Download Link @@ -974,28 +974,28 @@ eight=Acht nine=Neun ten=Zehn eleven=Elf -twelve=twelve -thirteen=thirdteen -fourteen=fourteen -fifteen=fifteen -sixteen=sixteen -seventeen=seventeen -eighteen=eighteen -nineteen=nineteen -twenty=twenty -thirty=thirty -forty=forty -fifty=fifty -sixty=sixty -seventy=seventy -eighty=eighty -ninety=ninety -hundred=hundred -thousand=thousand -million=million -billion=billion -trillion=trillion -quadrillion=quadrillion +twelve=zwölf +thirteen=dreizehn +fourteen=vierzehn +fifteen=fünfzehn +sixteen=sechszehn +seventeen=siebzehn +eighteen=achtzehn +nineteen=neunzehn +twenty=zwanzig +thirty=dreißig +forty=vierzig +fifty=fünfzig +sixty=sechzig +seventy=siebzig +eighty=achtzig +ninety=neunzig +hundred=hundert +thousand=tausend +million=Million +billion=Milliarde +trillion=Billion +quadrillion=Billiarde SelectMailModel=Wähle E-Mail-Vorlage SetRef=Set Ref Select2ResultFoundUseArrows=Einige Ergebnisse gefunden. Nutzen Sie die Pfeiltasten um auszuwählen. @@ -1026,7 +1026,7 @@ SearchIntoCustomerShipments=Kunden Lieferungen SearchIntoExpenseReports=Spesenabrechnungen SearchIntoLeaves=Urlaub SearchIntoTickets=Tickets -SearchIntoCustomerPayments=Customer payments +SearchIntoCustomerPayments=Kundenzahlungen SearchIntoVendorPayments=Lieferanten Zahlung SearchIntoMiscPayments=Sonstige Zahlungen CommentLink=Kommentare @@ -1097,7 +1097,7 @@ NotUsedForThisCustomer=Wird für diesen Kunden nicht verwendet AmountMustBePositive=Der Betrag muss positiv sein ByStatus=Nach Status InformationMessage=Information -Used=Used +Used=Gebraucht ASAP=So schnell wie möglich CREATEInDolibarr=Datensatz %s erstellt MODIFYInDolibarr=Datensatz %s geändert @@ -1105,15 +1105,15 @@ DELETEInDolibarr=Datensatz %s gelöscht VALIDATEInDolibarr=Datensatz %s bestätigt APPROVEDInDolibarr=Datensatz %s genehmigt DefaultMailModel=Standard E-Mail Modell -PublicVendorName=Public name of vendor +PublicVendorName=Öffentlicher Name des Anbieters DateOfBirth=Geburtsdatum -SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again. -UpToDate=Up-to-date -OutOfDate=Out-of-date +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Das Sicherheitstoken ist abgelaufen, sodass die Aktion abgebrochen wurde. Bitte versuche es erneut. +UpToDate=Aktuell +OutOfDate=Veraltet EventReminder=Ereignis-Erinnerung -UpdateForAllLines=Update for all lines +UpdateForAllLines=Aktualisierung für alle Zeilen OnHold=angehalten -AffectTag=Affect Tag -ConfirmAffectTag=Bulk Tag Affect -ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +AffectTag=Schlagwort beeinflussen +ConfirmAffectTag=Massen-Schlagwort-Affekt +ConfirmAffectTagQuestion=Sind Sie sicher, dass Sie Tags für die ausgewählten Datensätze von %s beeinflussen möchten? +CategTypeNotFound=Für den Datensatztyp wurde kein Tag-Typ gefunden diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index b7b526b5b12..c11bfa1dff2 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -80,7 +80,7 @@ DeleteType=Löschen VoteAllowed=Stimmrecht Physical=natürliche Person Moral=juristische Person -MorAndPhy=Moral and Physical +MorAndPhy=juristisch und natürlich Reenable=Reaktivieren ResiliateMember=Mitglied deaktivieren ConfirmResiliateMember=Möchten Sie dieses Mitglied wirklich deaktivieren? @@ -177,7 +177,7 @@ MenuMembersStats=Statistik LastMemberDate=Letztes Mitgliedschaftsdatum LatestSubscriptionDate=Letztes Beitragsdatum MemberNature=Art des Mitglieds -MembersNature=Nature of members +MembersNature=Art der Mitglieder Public=Informationen sind öffentlich NewMemberbyWeb=Neues Mitglied hinzugefügt, wartet auf Genehmigung. NewMemberForm=Formular neues Mitglied diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index 4d101f691b4..be2bc88b630 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -40,7 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record PageForAgendaTab=PHP page for event tab PageForDocumentTab=PHP page for document tab PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab +PageForContactTab=PHP-Seite für Kontaktregisterkarte PathToModulePackage=Pfad des zu komprimierenden Moduls/Anwendungspakets PathToModuleDocumentation=Pfad zur Datei der Modul- / Anwendungsdokumentation (%s) SpaceOrSpecialCharAreNotAllowed=Leer- oder Sonderzeichen sind nicht erlaubt. @@ -78,7 +78,7 @@ IsAMeasure=Ist eine Maßnahme DirScanned=Verzeichnis gescannt NoTrigger=Kein Trigger NoWidget=Kein Widget -GoToApiExplorer=API explorer +GoToApiExplorer=API-Explorer ListOfMenusEntries=Liste der Menüeinträge ListOfDictionariesEntries=Liste der Wörterbucheinträge ListOfPermissionsDefined=Liste der definierten Berechtigungen @@ -106,7 +106,7 @@ TryToUseTheModuleBuilder=Sind Kenntnisse in SQL und PHP vorhanden, können Sie d SeeTopRightMenu=Siehe im Menü Oben Rechts AddLanguageFile=Sprachdatei hinzufügen YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) +DropTableIfEmpty=(Tabelle löschen, wenn leer) TableDoesNotExists=Die Tabelle %s existiert nicht TableDropped=Tabelle %s gelöscht InitStructureFromExistingTable=Erstelle die Struktur-Array-Zeichenfolge einer vorhandenen Tabelle @@ -140,4 +140,4 @@ TypeOfFieldsHelp=Feldtypen:
varchar(99), double(24,8), real, text, html, date AsciiToHtmlConverter=Ascii zu HTML Konverter AsciiToPdfConverter=Ascii zu PDF Konverter TableNotEmptyDropCanceled=Tabelle nicht leer. Löschen wurde abgebrochen. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. +ModuleBuilderNotAllowed=Der Modul-Generator ist verfügbar, aber für Ihren Benutzer nicht zulässig. diff --git a/htdocs/langs/de_DE/mrp.lang b/htdocs/langs/de_DE/mrp.lang index 731e122fa42..007e014d850 100644 --- a/htdocs/langs/de_DE/mrp.lang +++ b/htdocs/langs/de_DE/mrp.lang @@ -77,4 +77,4 @@ 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) GoOnTabProductionToProduceFirst=Die Produktion muss begonnen sein, um einen Produktionsauftrag zu schließen (siehe Tab '%s'). Alternativ kann er storniert werden. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Ein Satz kann nicht in einer Stückliste oder einem Fertigungsauftrag verwendet werden diff --git a/htdocs/langs/de_DE/multicurrency.lang b/htdocs/langs/de_DE/multicurrency.lang index cd4eece06b1..070feed47a3 100644 --- a/htdocs/langs/de_DE/multicurrency.lang +++ b/htdocs/langs/de_DE/multicurrency.lang @@ -20,3 +20,19 @@ 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 +TabTitleMulticurrencyRate=Kursliste +ListCurrencyRate=Liste der Wechselkurse für die Währung +CreateRate=Erstellen Sie einen Kurs +FormCreateRate=Kurserstellung +FormUpdateRate=Kursänderung +successRateCreate=Der Kurs für die Währung %s wurde der Datenbank hinzugefügt +ConfirmDeleteLineRate=Möchten Sie den Wechselkurs %s für die Währung %s am Datum %s wirklich entfernen? +DeleteLineRate=Kurs löschen +successRateDelete=Kurs gelöscht +errorRateDelete=Fehler beim Löschen des Kurses +successUpdateRate=Änderung vorgenommen +ErrorUpdateRate=Fehler beim Ändern des Kurses +Codemulticurrency=Währungscode +UpdateRate=Ändern Sie den Kurs +CancelUpdate=stornieren +NoEmptyRate=Das Kursfeld darf nicht leer sein diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index 6998d27f784..5ce758eaa4e 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -14,8 +14,8 @@ PreviousMonthOfInvoice=Vorangehender Monat (1-12) des Rechnungsdatums TextPreviousMonthOfInvoice=Vorangehender Monat (Text) des Rechnungsdatums NextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatums TextNextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatum -PreviousMonth=Previous month -CurrentMonth=Current month +PreviousMonth=Vorheriger Monat +CurrentMonth=Aktueller Monat ZipFileGeneratedInto=ZIP-Datei erstellt in %s. DocFileGeneratedInto=Doc Datei in %s generiert. JumpToLogin=Abgemeldet. Zur Anmeldeseite... @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Spesenabrechnung überprüft (Genehmigung aussteh Notify_EXPENSE_REPORT_APPROVE=Spesenabrechnung genehmigt Notify_HOLIDAY_VALIDATE=Urlaubsantrag überprüft (Genehmigung ausstehend) Notify_HOLIDAY_APPROVE=Urlaubsantrag genehmigt +Notify_ACTION_CREATE=Aktion zur Tagesplanung hinzugefügt SeeModuleSetup=Finden Sie im Modul-Setup %s NbOfAttachedFiles=Anzahl der angehängten Dateien/Dokumente TotalSizeOfAttachedFiles=Gesamtgröße der angehängten Dateien/Dokumente @@ -85,8 +86,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)__\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__ +PredefinedMailTest=__(Hallo)__\nDies ist eine Testmail, die an __EMAIL__ gesendet wird.\nDie Zeilen sind durch einen Zeilenumbruch getrennt.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__ (Hallo) __
Dies ist eine -Test--Mail, die an __EMAIL__ gesendet wurde (das Wort test muss fett gedruckt sein).
Die Zeilen sind durch einen Zeilenumbruch getrennt.

__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__ @@ -99,7 +100,7 @@ PredefinedMailContentSendShipping=__(Hallo)__\n\nAls Anlage erhalten Sie unsere PredefinedMailContentSendFichInter=__(Hallo)__\n\nBitte finden Sie den Serviceauftrag __REF__ im Anhang\n\n\n__(Mit freundlichen Grüßen)__\n\n__USER_SIGNATURE__ PredefinedMailContentLink=Sie können den folgenden Link anklicken um die Zahlung auszuführen, falls sie noch nicht getätigt wurde.\n\n%s\n\n PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__

This is an automatic message, please do not reply. +PredefinedMailContentSendActionComm=Ereigniserinnerung "__EVENT_LABEL__" am __EVENT_DATE__ um __EVENT_TIME__

Dies ist eine automatische Nachricht. Bitte antworten Sie nicht. DemoDesc=Dolibarr ist eine Management-Software die mehrere Business-Module anbietet. Eine Demo, die alle Module beinhaltet ist nicht sinnvoll , weil der Fall nie existiert (Hunderte von verfügbaren Module). Es stehen auch einige Demo-Profile Typen zur Verfügung. ChooseYourDemoProfil=Bitte wählen Sie das Demo-Profil das Ihrem Anwendgsfall am ehesten entspricht ChooseYourDemoProfilMore=...oder bauen Sie Ihr eigenes Profil
(manuelle Auswahl der Module) @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Die Spesenabrechnung %s wurde geprüft. EMailTextExpenseReportApproved=Die Spesenabrechnung %s wurde genehmigt. EMailTextHolidayValidated=Urlaubsantrag %s wurde geprüft. EMailTextHolidayApproved=Urlaubsantrag %s wurde genehmigt. +EMailTextActionAdded=Die Aktion %s wurde erfolgreich in die Terminplanung hinzugefügt. ImportedWithSet=Import Datensatz DolibarrNotification=Automatische Benachrichtigung ResizeDesc=Bitte geben Sie eine neue Breite oder Höhe ein. Das Verhältnis wird während des Zuschneidens erhalten... @@ -259,7 +261,7 @@ ContactCreatedByEmailCollector=Kontakt / Adresse durch das Modul E-Mail-Sammler ProjectCreatedByEmailCollector=Projekt durch das Modul E-Mail-Sammler aus der E-Mail erstellt. MSGID %s TicketCreatedByEmailCollector=Ticket durch das Modul E-Mail-Sammler aus der E-Mail erstellt. MSGID %s OpeningHoursFormatDesc=Benutze unterschiedliche von - bis Öffnungs- und Schließzeiten.
Leerzeichen trennt unterschiedliche Bereiche.
Beispiel: 8-12 14-18 -PrefixSession=Prefix for session ID +PrefixSession=Präfix für Sitzungs-ID ##### Export ##### ExportsArea=Exportübersicht @@ -280,9 +282,9 @@ LinesToImport=Positionen zum importieren MemoryUsage=Speichernutzung RequestDuration=Dauer der Anfrage -ProductsPerPopularity=Products/Services by popularity +ProductsPerPopularity=Produkte / Dienstleistungen nach Beliebtheit PopuProp=Produkte / Dienstleistungen nach Beliebtheit in Angeboten PopuCom=Produkte / Dienstleistungen nach Beliebtheit in Bestellungen ProductStatistics=Produkt- / Dienstleistungsstatistik NbOfQtyInOrders=Menge in Bestellungen -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Wählen Sie den zu analysierenden Objekttyp aus ... diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index 75344418352..b29a2da4eda 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -104,25 +104,25 @@ SetDefaultBarcodeType=Wählen Sie den standardmäßigen Barcode-Typ BarcodeValue=Barcode-Wert NoteNotVisibleOnBill=Anmerkung (nicht sichtbar auf Rechnungen, Angeboten,...) ServiceLimitedDuration=Ist die Erbringung einer Dienstleistung zeitlich beschränkt: -FillWithLastServiceDates=Fill with last service line dates +FillWithLastServiceDates=Fülle mit Daten der letzten Servicezeile 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=Enable Kits (set of other products) -VariantsAbility=Enable Variants (variations of products, for example color, size) -AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit +DefaultPriceType=Basis der Standardpreise (mit versus ohne Steuern) beim Hinzufügen neuer Verkaufspreise +AssociatedProductsAbility=Aktiviere Kits (Set von mehreren Produkte) +VariantsAbility=Varianten aktivieren (Produktvarianten, z. B. Farbe, Größe) +AssociatedProducts=Sätze +AssociatedProductsNumber=Anzahl der Produkte, aus denen dieser Satz besteht ParentProductsNumber=Anzahl der übergeordneten Produkte ParentProducts=Verwandte Produkte -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +IfZeroItIsNotAVirtualProduct=Wenn 0, ist dieses Produkt kein Satz +IfZeroItIsNotUsedByVirtualProduct=Bei 0 wird dieses Produkt von keinem Satz verwendet KeywordFilter=Stichwortfilter CategoryFilter=Kategoriefilter ProductToAddSearch=Suche hinzuzufügendes Produkt NoMatchFound=Kein Eintrag gefunden ListOfProductsServices=Liste der Produkte/Leistungen -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ProductAssociationList=Liste der Produkte / Dienstleistungen, die Bestandteil dieses Satzes sind +ProductParentList=Liste der Sätze mit diesem Produkt als Komponente ErrorAssociationIsFatherOfThis=Eines der ausgewählten Produkte ist Elternteil des aktuellen Produkts DeleteProduct=Produkt/Leistung löschen ConfirmDeleteProduct=Möchten Sie dieses Produkt/Leistung wirklich löschen? @@ -168,10 +168,10 @@ BuyingPrices=Einkaufspreis CustomerPrices=Kundenpreise SuppliersPrices=Lieferanten Preise SuppliersPricesOfProductsOrServices=Herstellerpreise (von Produkten oder Dienstleistungen) -CustomCode=Customs|Commodity|HS code +CustomCode=Zolltarifnummer CountryOrigin=Urspungsland -RegionStateOrigin=Region origin -StateOrigin=State|Province origin +RegionStateOrigin=Ursprungsregion +StateOrigin=Ursprungs- Staat | Provinz Nature=Produkttyp (Material / Fertig) NatureOfProductShort=Art des Produkts NatureOfProductDesc=Rohstoff oder Fertigprodukt @@ -242,7 +242,7 @@ AlwaysUseFixedPrice=Festen Preis nutzen PriceByQuantity=Unterschiedliche Preise nach Menge DisablePriceByQty=Preise nach Menge ausschalten PriceByQuantityRange=Bereich der Menge -MultipriceRules=Automatic prices for segment +MultipriceRules=Automatische Preise für Segment UseMultipriceRules=Verwenden Sie die im Produktmodul-Setup definierten Preissegmentregeln, um automatisch die Preise aller anderen Segmente gemäß dem ersten Segment zu berechnen PercentVariationOver=%% Veränderung über %s PercentDiscountOver=%% Nachlass über %s @@ -290,7 +290,7 @@ PriceExpressionEditorHelp5=verfügbare globale Werte: PriceMode=Preisfindungsmethode PriceNumeric=Nummer DefaultPrice=Standardpreis -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=Protokoll der vorherigen Standardpreise ComposedProductIncDecStock=Erhöhen/Verringern des Lagerbestands bei verknüpften Produkten ComposedProduct=Unterprodukte MinSupplierPrice=Minimaler Kaufpreis @@ -343,7 +343,7 @@ UseProductFournDesc=Fügen Sie eine Funktion hinzu, um die Beschreibungen der vo ProductSupplierDescription=Lieferantenbeschreibung für das Produkt UseProductSupplierPackaging=Berechne die Verpackung bei Lieferantenpreisen (berechnet neue Mengen / Lieferantenpreise gemäß der eingesetzten Verpackung, wenn Zeilen in den Lieferantendokumenten hinzugefügt / aktualisiert werden). PackagingForThisProduct=Verpackung -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity +PackagingForThisProductDesc=Bei Lieferantenbestellung bestellen Sie automatisch diese Menge (oder ein Vielfaches dieser Menge). Kann nicht unter der Mindestabnahmemenge liegen QtyRecalculatedWithPackaging=Die Menge der Zeile wurde entsprechend der Lieferantenverpackung neu berechnet #Attributes diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index 9b5ba8768f6..681c0f22f23 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -67,7 +67,7 @@ TaskDateEnd=Enddatum der Aufgabe TaskDescription=Aufgaben-Beschreibung NewTask=neue Aufgabe AddTask=Aufgabe erstellen -AddTimeSpent=Erfassen verbrauchte Zeit +AddTimeSpent=Erfasse verwendete Zeit AddHereTimeSpentForDay=Zeitaufwand für diesen Tag/Aufgabe hier erfassen AddHereTimeSpentForWeek=Benötigte Zeit in dieser Woche / für diese Aufgabe Activity=Tätigkeit @@ -76,15 +76,16 @@ MyActivities=Meine Aufgaben/Tätigkeiten MyProjects=Meine Projekte MyProjectsArea=meine Projekte - Übersicht DurationEffective=Effektivdauer -ProgressDeclared=Angegebener Fortschritt +ProgressDeclared=Erklärte echte Fortschritte TaskProgressSummary=Aufgabenfortschritt CurentlyOpenedTasks=Aktuell offene Aufgaben -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Der deklarierte Fortschritt ist %s weniger als der berechnete Fortschritt -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Der deklarierte Fortschritt ist %s mehr als der berechnete Fortschritt -ProgressCalculated=Kalkulierter Fortschritt +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Der deklarierte reale Fortschritt ist weniger %s als der Fortschritt bei der Nutzung +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Der deklarierte reale Fortschritt ist mehr %s als der Fortschritt bei der Nutzung +ProgressCalculated=Fortschritte bei der Nutzung WhichIamLinkedTo=mit dem ich verbunden bin WhichIamLinkedToProject=Projekt mit dem ich verbunden bin Time=Zeitaufwand +TimeConsumed=verwendet ListOfTasks=Aufgabenliste GoToListOfTimeConsumed=Liste der verwendeten Zeit aufrufen GanttView=Gantt-Diagramm @@ -211,9 +212,9 @@ ProjectNbProjectByMonth=Anzahl der erstellten Projekte pro Monat ProjectNbTaskByMonth=Anzahl der erstellten Aufgaben pro Monat ProjectOppAmountOfProjectsByMonth=Anzahl der Leads pro Monat ProjectWeightedOppAmountOfProjectsByMonth=Gewichtete Anzahl von Leads pro Monat -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Projekt / Lead nach Leadstatus öffnen +ProjectsStatistics=Statistiken zu Projekten oder Interessenten +TasksStatistics=Statistiken zu Aufgaben von Projekten oder Interessenten TaskAssignedToEnterTime=Aufgabe zugewiesen. Eingabe der Zeit zu diese Aufgabe sollte möglich sein. IdTaskTime=ID Zeit Aufgabe YouCanCompleteRef=Wenn die Referenz mit einem Suffix ergänzt werden soll, ist es empfehlenswert, ein Trennstrich '-' zu verwenden, so dass die automatische Numerierung für weitere Projekte funktioniert. Zum Beispiel %s-MYSUFFIX diff --git a/htdocs/langs/de_DE/propal.lang b/htdocs/langs/de_DE/propal.lang index 0956cf4900f..de5a2e451fa 100644 --- a/htdocs/langs/de_DE/propal.lang +++ b/htdocs/langs/de_DE/propal.lang @@ -29,7 +29,7 @@ PropalsDraft=Entwürfe PropalsOpened=geöffnet PropalStatusDraft=Entwurf (freizugeben) PropalStatusValidated=Freigegeben (Angebot ist offen) -PropalStatusSigned=Unterzeichnet (ist zu verrechnen) +PropalStatusSigned=unterzeichnet (abrechenbar) PropalStatusNotSigned=Nicht unterzeichnet (geschlossen) PropalStatusBilled=Verrechnet PropalStatusDraftShort=Entwurf @@ -47,7 +47,6 @@ SendPropalByMail=Angebot per E-Mail versenden DatePropal=Angebotsdatum DateEndPropal=Gültig bis ValidityDuration=Gültigkeitsdauer -CloseAs=Status ändern in SetAcceptedRefused=Setze beauftragt / abgelehnt ErrorPropalNotFound=Angebot %s nicht gefunden AddToDraftProposals=Zu Angebots-Entwurf hinzufügen @@ -87,5 +86,6 @@ CaseFollowedBy=Fall gefolgt von SignedOnly=nur signiert IdProposal=Angebots-ID IdProduct=Produkt ID -PrParentLine=Übergeordnete Zeile des Vorschlags -LineBuyPriceHT=Kaufpreis Betrag abzüglich Steuern für Linie +PrParentLine=Übergeordnete Zeile des Angebots +LineBuyPriceHT=Betrag Kaufpreis abzüglich Steuern für Zeile + diff --git a/htdocs/langs/de_DE/receiptprinter.lang b/htdocs/langs/de_DE/receiptprinter.lang index dd8f3e068d1..f13265c9d26 100644 --- a/htdocs/langs/de_DE/receiptprinter.lang +++ b/htdocs/langs/de_DE/receiptprinter.lang @@ -54,7 +54,7 @@ DOL_DOUBLE_WIDTH=Doppelte Breite DOL_DEFAULT_HEIGHT_WIDTH=Standard für Höhe und Breite DOL_UNDERLINE=Unterstreichen aktivieren DOL_UNDERLINE_DISABLED=Unterstreichen deaktivieren -DOL_BEEP=Signalton +DOL_BEEP=Piepton DOL_PRINT_TEXT=Text drucken DateInvoiceWithTime=Rechnungsdatum und -zeit YearInvoice=Rechnungsjahr diff --git a/htdocs/langs/de_DE/receptions.lang b/htdocs/langs/de_DE/receptions.lang index 8093f6ed4aa..65e73211e22 100644 --- a/htdocs/langs/de_DE/receptions.lang +++ b/htdocs/langs/de_DE/receptions.lang @@ -43,5 +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 +NoMorePredefinedProductToDispatch=Keine vordefinierten Produkte mehr zum Versand diff --git a/htdocs/langs/de_DE/recruitment.lang b/htdocs/langs/de_DE/recruitment.lang index eac81d9fadc..db4e52b8cbf 100644 --- a/htdocs/langs/de_DE/recruitment.lang +++ b/htdocs/langs/de_DE/recruitment.lang @@ -37,40 +37,40 @@ EnablePublicRecruitmentPages=Öffentliche Seiten von offenen Stellen aktivieren # About = Über RecruitmentAbout = Über Personalbeschaffung -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees +RecruitmentAboutPage = Personalbeschaffung über Seite +NbOfEmployeesExpected=Erwartete Anzahl von Mitarbeitern JobLabel=Bezeichnung der beruflichen Position WorkPlace=Arbeitsplatz DateExpected=Erwartetes Datum FutureManager=Zukünftiger Manager ResponsibleOfRecruitement=Verantwortlich für die Rekrutierung -IfJobIsLocatedAtAPartner=If job is located at a partner place +IfJobIsLocatedAtAPartner=Wenn sich der Job an einem Partnerort befindet PositionToBeFilled=Position PositionsToBeFilled=Berufspositionen -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +ListOfPositionsToBeFilled=Liste der Stellen +NewPositionToBeFilled=Neue Stellen -JobOfferToBeFilled=Job position to be filled +JobOfferToBeFilled=Zu besetzende Stelle ThisIsInformationOnJobPosition=Information über die zu besetzende Position ContactForRecruitment=Kontakt für die Personalbeschaffung EmailRecruiter=Recruiter per E-Mail anschreiben -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications +ToUseAGenericEmail=So verwenden Sie eine generische E-Mail. Falls nicht definiert, wird die E-Mail-Adresse des für die Personalbeschaffung Verantwortlichen verwendet +NewCandidature=Neue Bewerbung +ListOfCandidatures=Liste der Bewerbungen RequestedRemuneration=gewünschtes Gehalt ProposedRemuneration=vorgeschlagenes Gehalt ContractProposed=Vertrag unterbreitet ContractSigned=Vertrag unterschrieben -ContractRefused=Contract refused -RecruitmentCandidature=Application +ContractRefused=Vertrag abgelehnt +RecruitmentCandidature=Bewerbung JobPositions=Berufspositionen -RecruitmentCandidatures=Applications +RecruitmentCandidatures=Bewerbungen InterviewToDo=Bewerbungsgespräch machen -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) -MakeOffer=Make an offer +AnswerCandidature=Antwort auf die Bewerbung +YourCandidature=Ihre Bewerbung +YourCandidatureAnswerMessage=Vielen Dank für Ihre Bewerbung.
... +JobClosedTextCandidateFound=Die Stelle ist geschlossen. Die Position wurde besetzt. +JobClosedTextCanceled=Die Stelle ist geschlossen. +ExtrafieldsJobPosition=Ergänzende Attribute (Stellenangebote) +ExtrafieldsCandidatures=Ergänzende Attribute (Bewerbungen) +MakeOffer=Machen Sie ein Angebot diff --git a/htdocs/langs/de_DE/salaries.lang b/htdocs/langs/de_DE/salaries.lang index 4ceaf557fd6..e405e235988 100644 --- a/htdocs/langs/de_DE/salaries.lang +++ b/htdocs/langs/de_DE/salaries.lang @@ -12,10 +12,10 @@ ShowSalaryPayment=Zeige Lohnzahlung THM=Durchschnittlicher Stundensatz TJM=Durchschnittlicher Tagessatz CurrentSalary=aktueller Lohn -THMDescription=Dieser Wert kann verwendet werden, um die Kosten für die verbrauchte Zeit eines Anwender zu berechnen, wenn das Modul Projektverwaltung verwendet wird, +THMDescription=Dieser Wert kann verwendet werden, um die Kosten für die verwendete Zeit eines Anwender zu berechnen, wenn das Modul Projektverwaltung verwendet wird, TJMDescription=Dieser Wert ist aktuell nur zu Informationszwecken und wird nicht für eine Berechnung verwendet LastSalaries=Letzte %s Lohnzahlungen -AllSalaries=Alle Lohnzahlungen +AllSalaries=Alle Gehaltszahlungen SalariesStatistics=Statistik Gehälter # Export -SalariesAndPayments=Salaries and payments +SalariesAndPayments=Gehälter und Gehaltszahlungen diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang index f4eadf44997..482de9a27e7 100644 --- a/htdocs/langs/de_DE/sendings.lang +++ b/htdocs/langs/de_DE/sendings.lang @@ -66,7 +66,7 @@ ValidateOrderFirstBeforeShipment=Sie müssen den Auftrag erst bestätigen bevor # Sending methods # ModelDocument DocumentModelTyphon=Vollständig Dokumentvorlage für die Lieferscheine (Logo, ...) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=Vollständigeres Dokumentmodell für Lieferbelege und Kompatibilität mit Extrafeldern (Logo ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstante EXPEDITION_ADDON_NUMBER nicht definiert SumOfProductVolumes=Summe der Produktvolumen SumOfProductWeights=Summe der Produktgewichte diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index eb423e561ad..ced30dd4b86 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -34,7 +34,7 @@ StockMovementForId=Lagerbewegung Nr. %d ListMouvementStockProject=Lagerbewegungen für Projekt StocksArea=Warenlager - Übersicht AllWarehouses=Alle Warenlager -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock +IncludeEmptyDesiredStock=Schließe auch negative Bestände mit undefinierten gewünschten Beständen ein IncludeAlsoDraftOrders=Fügen Sie auch Auftragsentwürfe hinzu Location=Standort LocationSummary=Kurzbezeichnung Standort @@ -66,7 +66,7 @@ WarehouseAskWarehouseDuringOrder=Legen Sie ein Lager für Verkaufsaufträge fest UserDefaultWarehouse=Legen Sie ein Lager für Benutzer fest MainDefaultWarehouse=Standardlager MainDefaultWarehouseUser=Verwenden Sie für jeden Benutzer ein Standardlager -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. +MainDefaultWarehouseUserDesc=Durch Aktivieren dieser Option wird beim Anlegen eines Produkts das dem Produkt zugeordnete Lager auf dieses definiert. Wenn kein Lager auf dem Benutzer definiert ist, wird das Standardlager definiert. IndependantSubProductStock=Produkt- und Unterproduktbestände sind unabhängig voneinander QtyDispatched=Liefermenge QtyDispatchedShort=Menge versandt @@ -96,15 +96,15 @@ RealStockDesc=Der aktuelle Lagerbestand ist die Stückzahl, die aktuell und phys RealStockWillAutomaticallyWhen=Der reale Bestand wird gemäß dieser Regel geändert (wie im Bestandsmodul definiert): VirtualStock=Theoretischer Lagerbestand VirtualStockAtDate=Virtueller Bestand zum Datum -VirtualStockAtDateDesc=Virtual stock once all pending orders that are planned to be done before the date will be finished -VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc) +VirtualStockAtDateDesc=Virtueller Lagerbestand, sobald alle anstehenden Aufträge, die vor dem Datum erledigt werden sollen, abgeschlossen sind +VirtualStockDesc=Virtueller Bestand ist der berechnete Bestand, der verfügbar ist, sobald alle offenen / ausstehenden Aktionen (die sich auf den Bestand auswirken) abgeschlossen sind (eingegangene Bestellungen, versendete Kundenaufträge, produzierte Fertigungsaufträge usw.). IdWarehouse=Warenlager ID DescWareHouse=Beschreibung Warenlager LieuWareHouse=Standort Warenlager WarehousesAndProducts=Warenlager und Produkte WarehousesAndProductsBatchDetail=Warenlager und Produkte (mit Detail per lot / serial) AverageUnitPricePMPShort=Gewichteter Warenwert -AverageUnitPricePMPDesc=The input average unit price we had to pay to suppliers to get the product into our stock. +AverageUnitPricePMPDesc=Der eingegebene durchschnittliche Stückpreis, den wir an die Lieferanten zahlen mussten, um das Produkt in unseren Lagerbestand aufzunehmen. SellPriceMin=Verkaufspreis EstimatedStockValueSellShort=Verkaufswert EstimatedStockValueSell=Verkaufswert @@ -122,9 +122,9 @@ DesiredStockDesc=Dieser Lagerbestand wird von der Nachbestellfunktion verwendet. StockToBuy=zu bestellen Replenishment=Nachbestellung ReplenishmentOrders=Nachbestellungen -VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ -UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature -ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock) +VirtualDiffersFromPhysical=Je nach Erhöhung / Verringerung der Lagerbestands-Optionen können sich physische und virtuelle Lagerbestände (physische Lagerbestände + offene Aufträge) unterscheiden +UseRealStockByDefault=Verwende für die Nachbestellfunktion realen Bestand anstelle von virtuellem Bestand +ReplenishmentCalculation=Die zu bestellende Menge ist (gewünschte Menge - realer Bestand) anstelle von (gewünschte Menge - virtueller Bestand) UseVirtualStock=Theoretischen Lagerbestand benutzen UsePhysicalStock=Ist-Bestand verwenden CurentSelectionMode=Aktueller Auswahl-Modus @@ -133,18 +133,18 @@ CurentlyUsingPhysicalStock=Aktueller Lagerbestand RuleForStockReplenishment=Regeln für Nachbestellungen SelectProductWithNotNullQty=Wählen Sie mindestens ein Produkt mit einer Bestellmenge größer Null und einen Lieferanten AlertOnly= Nur Warnungen -IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0 +IncludeProductWithUndefinedAlerts = Schließe auch negativen Lagerbestand für Produkte ein, für die keine gewünschte Menge definiert ist, um sie auf 0 zurückzusetzen 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. +ReplenishmentStatusDescPerWarehouse=Wenn Sie einen Nachschub basierend auf der gewünschten Menge pro Lager wünschen, müssen Sie dem Lager einen Filter hinzufügen. 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) NbOfProductAfterPeriod=Menge des Produkts %s im Lager nach der gewählten Periode (> %s) MassMovement=Massenbewegung -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click onto "%s". +SelectProductInAndOutWareHouse=Wählen Sie ein Quelllager und ein Ziellager, ein Produkt und eine Menge aus und klicken Sie auf "%s". Sobald dies für alle erforderlichen Bewegungen erledigt ist, klicken Sie auf "%s". RecordMovement=Umbuchung ReceivingForSameOrder=Verbuchungen zu dieser Bestellung StockMovementRecorded=Lagerbewegungen aufgezeichnet @@ -233,11 +233,11 @@ 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. -StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in future +StockAtDatePastDesc=Du kannst hier den Lagerbestand (Realbestand) zu einem bestimmten Datum in der Vergangenheit anzeigen +StockAtDateFutureDesc=Du kannst hier den Lagerbestand (virtueller Bestand) zu einem bestimmten Zeitpunkt in der Zukunft anzeigen CurrentStock=Aktueller Lagerbestand -InventoryRealQtyHelp=Set value to 0 to reset qty
Keep field empty, or remove line, to keep unchanged +InventoryRealQtyHelp=Setze den Wert auf 0, um die Menge zurückzusetzen.
Feld leer lassen oder Zeile entfernen, um unverändert zu lassen UpdateByScaning=Update durch Scannen -UpdateByScaningProductBarcode=Update by scan (product barcode) -UpdateByScaningLot=Update by scan (lot|serial barcode) -DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement. +UpdateByScaningProductBarcode=Update per Scan (Produkt-Barcode) +UpdateByScaningLot=Update per Scan (Charge | serieller Barcode) +DisableStockChangeOfSubProduct=Deaktivieren Sie den Lagerwechsel für alle Unterprodukte dieses Satzes während dieser Bewegung. diff --git a/htdocs/langs/de_DE/suppliers.lang b/htdocs/langs/de_DE/suppliers.lang index 6e13202b243..97d31dc4605 100644 --- a/htdocs/langs/de_DE/suppliers.lang +++ b/htdocs/langs/de_DE/suppliers.lang @@ -38,7 +38,7 @@ MenuOrdersSupplierToBill=Bestellungen zu Rechnungen NbDaysToDelivery=Lieferverzug (Tage) DescNbDaysToDelivery=Die längste Lieferverzögerung der Produkte aus dieser Bestellung SupplierReputation=Lieferanten-Reputation -ReferenceReputation=Reference reputation +ReferenceReputation=Referenz Ruf DoNotOrderThisProductToThisSupplier=hier nicht bestellen NotTheGoodQualitySupplier=Geringe Qualität ReputationForThisProduct=Reputation diff --git a/htdocs/langs/de_DE/ticket.lang b/htdocs/langs/de_DE/ticket.lang index a86ee0f403d..6405e1db2a6 100644 --- a/htdocs/langs/de_DE/ticket.lang +++ b/htdocs/langs/de_DE/ticket.lang @@ -42,7 +42,7 @@ TicketTypeShortOTHER=Sonstige TicketSeverityShortLOW=Niedrig TicketSeverityShortNORMAL=Normal TicketSeverityShortHIGH=Hoch -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortBLOCKING=Kritisch, blockierend ErrorBadEmailAddress=Feld '%s' ungültig MenuTicketMyAssign=Meine Tickets @@ -123,13 +123,13 @@ TicketsActivatePublicInterfaceHelp=Mit dem öffentlichen Interface können alle TicketsAutoAssignTicket=Den Ersteller automatisch dem Ticket zuweisen TicketsAutoAssignTicketHelp=Wenn ein Ticket erstellt wird, kann der Ersteller automatisch dem Ticket zugewiesen werden. TicketNumberingModules=Ticketnummerierungsmodul -TicketsModelModule=Document templates for tickets +TicketsModelModule=Dokumentvorlagen für Tickets TicketNotifyTiersAtCreation=Partner über Ticketerstellung informieren TicketsDisableCustomerEmail=E-Mails immer deaktivieren, wenn ein Ticket über die öffentliche Oberfläche erstellt wird TicketsPublicNotificationNewMessage=Senden Sie E-Mails, wenn eine neue Nachricht hinzugefügt wird -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) +TicketsPublicNotificationNewMessageHelp=E-Mail (s) senden, wenn eine neue Nachricht von der öffentlichen Oberfläche hinzugefügt wird (an den zugewiesenen Benutzer oder die Benachrichtigungs-E-Mail an (Update) und / oder die Benachrichtigungs-E-Mail an) TicketPublicNotificationNewMessageDefaultEmail=Benachrichtigungen per E-Mail an (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. +TicketPublicNotificationNewMessageDefaultEmailHelp=Sende E-Mail-Benachrichtigungen über neue Nachrichten an diese Adresse, wenn dem Ticket kein Benutzer zugewiesen ist oder der Benutzer keine E-Mail hat. # # Index & list page # diff --git a/htdocs/langs/de_DE/trips.lang b/htdocs/langs/de_DE/trips.lang index 06914a60f86..12ecdfb6a6a 100644 --- a/htdocs/langs/de_DE/trips.lang +++ b/htdocs/langs/de_DE/trips.lang @@ -110,7 +110,7 @@ ExpenseReportPayment=Spesenabrechnung Zahlung ExpenseReportsToApprove=zu genehmigende Spesenabrechnungen ExpenseReportsToPay=zu zahlende Spesenabrechnungen ConfirmCloneExpenseReport=Möchten Sie den diese Spesenabrechnung wirklich duplizieren? -ExpenseReportsIk=Spesenabrechnung Kilometerstand +ExpenseReportsIk=Konfiguration der Kilometergebühren ExpenseReportsRules=Spesenabrechnungen Regeln ExpenseReportIkDesc=Sie können die Berechnung der Kilometerspensen pro Kategorie und Distanz dort ändern wo sie definiert wurden. d ist die Distanz in Kilometer ExpenseReportRulesDesc=Sie können Berechnungsregeln erstellen oder verändern. Dieser Teil wird verwendet, wenn Benutzer neue Spesenabrechnung erstellen @@ -145,7 +145,7 @@ nolimitbyEX_DAY=pro Tag (keine Beschränkung) nolimitbyEX_MON=pro Monat (keine Beschränkung) nolimitbyEX_YEA=pro Jahr (Nicht Begrenzt) nolimitbyEX_EXP=pro Zeile (Nicht Begrenzt) -CarCategory=Fahrzeug Kategorie +CarCategory=Fahrzeugkategorie ExpenseRangeOffset=Offset Betrag: %s RangeIk=Reichweite AttachTheNewLineToTheDocument=Zeile an hochgeladenes Dokument anhängen diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang index 51e046e1b72..8e7ec9d6b08 100644 --- a/htdocs/langs/de_DE/website.lang +++ b/htdocs/langs/de_DE/website.lang @@ -100,7 +100,7 @@ EmptyPage=Leere Seite ExternalURLMustStartWithHttp=Externe URL muss mit http:// oder https:// beginnen ZipOfWebsitePackageToImport=Laden Sie die Zip-Datei der Websseiten-Vorlage hoch ZipOfWebsitePackageToLoad=oder wählen Sie eine verfügbare eingebettete Webseiten-Vorlage -ShowSubcontainers=Show dynamic content +ShowSubcontainers=Dynamischen Inhalt anzeigen InternalURLOfPage=Interne URL der Seite ThisPageIsTranslationOf=Diese Seite/Container ist eine Übersetzung von ThisPageHasTranslationPages=Es existieren Übersetzungen dieser Seite/Containers @@ -134,6 +134,6 @@ 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 Seite(n) / Container neu generiert -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. +RegenerateWebsiteContent=Generieren Sie Website-Cache-Dateien neu +AllowedInFrames=In Frames erlaubt +DefineListOfAltLanguagesInWebsiteProperties=Definiere eine Liste aller verfügbaren Sprachen in den Website-Eigenschaften. diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang index 36984885427..63c39b0503c 100644 --- a/htdocs/langs/de_DE/withdrawals.lang +++ b/htdocs/langs/de_DE/withdrawals.lang @@ -14,23 +14,23 @@ BankTransferReceipts=Überweisungsaufträge BankTransferReceipt=Überweisungsauftrag LatestBankTransferReceipts=Neueste %s Überweisungsaufträge LastWithdrawalReceipts=Letzte %s Abbuchungsbelege -WithdrawalsLine=Direct debit order line +WithdrawalsLine=Bestellposition für Lastschrift CreditTransferLine=Überweisungspositionen WithdrawalsLines=Abbuchungszeilen CreditTransferLines=Überweisungszeilen -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 +RequestStandingOrderToTreat=Anfragen zur Bearbeitung des Lastschrift-Zahlungsauftrags +RequestStandingOrderTreated=Anfragen für Lastschrift Zahlungsauftrag bearbeitet +RequestPaymentsByBankTransferToTreat=Anträge auf Überweisung zur Bearbeitung +RequestPaymentsByBankTransferTreated=Anträge auf Überweisung bearbeitet 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=No. of qualified customer invoices with waiting direct debit order +NbOfInvoiceToWithdraw=Anzahl qualifizierter Kundenrechnungen mit ausstehendem Lastschriftauftrag 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 +NbOfInvoiceToPayByBankTransfer=Anzahl qualifizierter Lieferantenrechnungen, die auf eine Zahlung per Überweisung warten +SupplierInvoiceWaitingWithdraw=Lieferantenrechnung wartet auf Zahlung per Überweisung InvoiceWaitingWithdraw=Rechnung wartet auf Lastschrifteinzug InvoiceWaitingPaymentByBankTransfer=Rechnung wartet auf Überweisung AmountToWithdraw=Abbuchungsbetrag -NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=Es wartet keine Rechnung für '%s'. Gehen Sie auf der Rechnungskarte auf die Registerkarte '%s', um eine Anfrage zu stellen. 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 @@ -40,9 +40,9 @@ CreditTransferStatistics=Statistiken Überweisungen Rejects=Ablehnungen LastWithdrawalReceipt=Letzte 1%s Einnahmen per Lastschrift MakeWithdrawRequest=Erstelle eine Lastschrift -MakeBankTransferOrder=Make a credit transfer request +MakeBankTransferOrder=Stelle eine Überweisungsanfrage WithdrawRequestsDone=%s Lastschrift-Zahlungsaufforderungen aufgezeichnet -BankTransferRequestsDone=%s credit transfer requests recorded +BankTransferRequestsDone=%s Überweisungsanforderungen aufgezeichnet ThirdPartyBankCode=Bankcode Geschäftspartner NoInvoiceCouldBeWithdrawed=Keine Rechnung mit Erfolg eingezogen. Überprüfen Sie, ob die Rechnungen auf Unternehmen mit einer gültigen IBAN Nummer verweisen und die IBAN Nummer eine eindeutige Mandatsreferenz besitzt %s. ClassCredited=Als eingegangen markieren @@ -64,7 +64,7 @@ InvoiceRefused=Rechnung abgelehnt (Abweisung dem Kunden berechnen) StatusDebitCredit=Status Debit/Kredit StatusWaiting=Wartend StatusTrans=Gesendet -StatusDebited=Debited +StatusDebited=Belastet StatusCredited=Eingelöst StatusPaid=Bezahlt StatusRefused=Abgelehnt @@ -80,13 +80,13 @@ StatusMotif8=Andere Gründe CreateForSepaFRST=Lastschriftdatei erstellen (SEPA FRST) CreateForSepaRCUR=Lastschriftdatei erstellen (SEPA RCUR) CreateAll=Lastschriftdatei erstellen (alle) -CreateFileForPaymentByBankTransfer=Create file for credit transfer +CreateFileForPaymentByBankTransfer=Datei für Überweisung erstellen CreateSepaFileForPaymentByBankTransfer=Überweisungsdatei erstellen (SEPA) CreateGuichet=Nur Büro CreateBanque=Nur Bank OrderWaiting=Warte auf Bearbeitung -NotifyTransmision=Record file transmission of order -NotifyCredit=Record credit of order +NotifyTransmision=Datenübertragung der Bestellung aufzeichnen +NotifyCredit=Gutschrift der Bestellung aufzeichnen NumeroNationalEmetter=Nationale Sendernummer WithBankUsingRIB=Bankkonten mit RIB WithBankUsingBANBIC=Bankkonten mit IBAN/BIC @@ -96,12 +96,12 @@ CreditDate=Am WithdrawalFileNotCapable=Abbuchungsformular für Ihr Land %s konnte nicht erstellt werden (Dieses Land wird nicht unterstützt). ShowWithdraw=Zeige Lastschrift IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Wenn auf der Rechnung mindestens ein Lastschrift-Zahlungsauftrag noch nicht verarbeitet wurde, wird dieser nicht als bezahlt festgelegt, um eine vorherige Abhebungsverwaltung zu ermöglichen. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file +DoStandingOrdersBeforePayments=Auf dieser Registerkarte können Sie einen Lastschrift-Zahlungsauftrag anfordern. Gehen Sie anschließend in das Menü Bank-> Zahlung per Lastschrift, um den Lastschriftauftrag zu generieren und zu verwalten. Wenn der Lastschriftauftrag geschlossen wird, wird die Zahlung auf Rechnungen automatisch erfasst und die Rechnungen werden geschlossen, wenn der zu zahlende Restbetrag null ist. +DoCreditTransferBeforePayments=Auf dieser Registerkarte können Sie einen Überweisungsauftrag anfordern. Gehen Sie anschließend in das Menü Bank-> Zahlung per Überweisung, um den Überweisungsauftrag zu generieren und zu verwalten. Wenn der Überweisungsauftrag geschlossen wird, wird die Zahlung auf Rechnungen automatisch erfasst und die Rechnungen werden geschlossen, wenn der zu zahlende Restbetrag null ist. +WithdrawalFile=Datei für Lastschrift-Aufträge +CreditTransferFile=Überweisungsdatei SetToStatusSent=Setze in Status "Datei versandt" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=Hierdurch werden auch Zahlungen auf Rechnungen erfasst und als "Bezahlt" klassifiziert, wenn die verbleibende Zahlung null ist StatisticsByLineStatus=Statistiken nach Statuszeilen RUM=UMR DateRUM=Datum der Unterzeichnung des Mandats @@ -125,15 +125,15 @@ SEPAFrstOrRecur=Zahlungsart ModeRECUR=Wiederkehrende Zahlungen ModeFRST=Einmalzahlung PleaseCheckOne=Bitte prüfen sie nur eine -CreditTransferOrderCreated=Credit transfer order %s created +CreditTransferOrderCreated=Überweisungsauftrag %s erstellt DirectDebitOrderCreated=Lastschrift %s erstellt AmountRequested=angeforderter Betrag SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST ExecutionDate=Ausführungsdatum CreateForSepa=Erstellen Sie eine Lastschriftdatei -ICS=Creditor Identifier CI for direct debit -ICSTransfer=Creditor Identifier CI for bank transfer +ICS=Gläubiger-ID CI für Lastschrift +ICSTransfer=Gläubiger-ID CI für Banküberweisung END_TO_END="Ende-zu-Ende" SEPA-XML-Tag - Eindeutige ID, die pro Transaktion zugewiesen wird USTRD="Unstrukturiertes" SEPA-XML-Tag ADDDAYS=Füge Tage zum Abbuchungsdatum hinzu @@ -147,5 +147,5 @@ InfoTransData=Betrag: %s
Verwendungszweck: %s
Datum: %s InfoRejectSubject=Lastschriftauftrag abgelehnt InfoRejectMessage=Hallo,

der Lastschrift-Zahlungsauftrag der Rechnung %s im Zusammenhang mit dem Unternehmen %s, mit einem Betrag von %s wurde von der Bank abgelehnt
--
%s ModeWarning=Echtzeit-Modus wurde nicht aktiviert, wir stoppen nach der Simulation. -ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s +ErrorCompanyHasDuplicateDefaultBAN=Unternehmen mit der ID %s hat mehr als ein Standardbankkonto. Keine Möglichkeit zu wissen, welches man verwenden soll. +ErrorICSmissing=Fehlendes ICS auf dem Bankkonto %s diff --git a/htdocs/langs/de_DE/workflow.lang b/htdocs/langs/de_DE/workflow.lang index 9cde674b9e3..a8e8fd6fe5e 100644 --- a/htdocs/langs/de_DE/workflow.lang +++ b/htdocs/langs/de_DE/workflow.lang @@ -16,8 +16,8 @@ descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Kennzeichne die verknüpften Auftr # Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Setzt das verknüpfte Lieferantenangebot auf "abgerechnet", sofern die Lieferanrenrechnung erstellt wurde und sofern der Rechnungsbetrag identisch zur Angebotsumme ist. descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Kennzeichne die verknüpfte Einkaufsbestellung als abgerechnet wenn die Lieferantenrechnung erstellt wurde und wenn die Beträge überein stimmen. -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_BILL_ON_RECEPTION=Klassifizieren Sie Empfänge als "in Rechnung gestellt", wenn eine verknüpfte Lieferantenbestellung validiert wird # Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Schließen Sie alle mit dem Ticket verknüpften Interaktionen, wenn ein Ticket geschlossen wird AutomaticCreation=automatische Erstellung AutomaticClassification=Automatische Klassifikation diff --git a/htdocs/langs/de_DE/zapier.lang b/htdocs/langs/de_DE/zapier.lang index 4d874ef8f7f..1051734af8b 100644 --- a/htdocs/langs/de_DE/zapier.lang +++ b/htdocs/langs/de_DE/zapier.lang @@ -26,4 +26,4 @@ ModuleZapierForDolibarrDesc = Modul: Zapier für Dolibarr # Admin page # ZapierForDolibarrSetup = Zapier für Dolibarr einrichten -ZapierDescription=Interface with Zapier +ZapierDescription=Schnittstelle mit Zapier diff --git a/htdocs/langs/el_CY/admin.lang b/htdocs/langs/el_CY/admin.lang index 74ee870f906..aa4a69b1953 100644 --- a/htdocs/langs/el_CY/admin.lang +++ b/htdocs/langs/el_CY/admin.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - admin +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. 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/boxes.lang b/htdocs/langs/el_CY/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/el_CY/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index 0eac7c5138e..9c2a2a6590d 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Υπηρεσίες εγκατάστασης μονάδας ProductServiceSetup=Προϊόντα και Υπηρεσίες εγκατάστασης μονάδων NumberOfProductShowInSelect=Μέγιστος αριθμός προϊόντων που θα εμφανίζονται σε λίστες επιλογών συνδυασμού (0 = κανένα όριο) ViewProductDescInFormAbility=Εμφάνιση περιγραφών προϊόντων σε φόρμες (διαφορετικά εμφανίζεται σε αναδυόμενο παράθυρο εργαλείου) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Ενεργοποίηση στην καρτέλα Συνημμένα αρχεία προϊόντος / υπηρεσίας μια επιλογή για τη συγχώνευση προϊόντος PDF σε πρόταση PDF azur εάν το προϊόν / η υπηρεσία περιλαμβάνεται στην πρόταση -ViewProductDescInThirdpartyLanguageAbility=Εμφάνιση των περιγραφών προϊόντων στη γλώσσα του τρίτου μέρους +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Επίσης, αν έχετε μεγάλο αριθμό προϊόντων (> 100.000), μπορείτε να αυξήσετε την ταχύτητα ρυθμίζοντας σταθερά το PRODUCT_DONOTSEARCH_ANYWHERE στο 1 στο Setup-> Other. Η αναζήτηση θα περιορίζεται στην αρχή της συμβολοσειράς. UseSearchToSelectProduct=Περιμένετε έως ότου πιέσετε ένα κλειδί πριν φορτώσετε το περιεχόμενο της λίστας σύνθετων προϊόντων (Αυτό μπορεί να αυξήσει την απόδοση εάν έχετε μεγάλο αριθμό προϊόντων, αλλά είναι λιγότερο βολικό) SetDefaultBarcodeTypeProducts=Προεπιλεγμένος τύπος barcode για χρήση σε προϊόντα diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 92d6f312061..83a5818fdcc 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Έκθεση εξόδων επικυρωμένη Notify_EXPENSE_REPORT_APPROVE=Η έκθεση εξόδων εγκρίθηκε Notify_HOLIDAY_VALIDATE=Ακύρωση αίτησης επικυρωμένου (απαιτείται έγκριση) Notify_HOLIDAY_APPROVE=Αφήστε την αίτηση να εγκριθεί +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Δείτε την ρύθμιση του module %s NbOfAttachedFiles=Πλήθος επισυναπτώμενων αρχείων/εγγράφων TotalSizeOfAttachedFiles=Συνολικό μέγεθος επισυναπτώμενων αρχείων/εγγράφων @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Η έκθεση δαπανών %s έχει επ EMailTextExpenseReportApproved=Η έκθεση δαπανών %s έχει εγκριθεί. EMailTextHolidayValidated=Ακύρωση αίτησης %s έχει επικυρωθεί. EMailTextHolidayApproved=Το αίτημα άδειας %s έχει εγκριθεί. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Η εισαγωγή των δεδομένων που DolibarrNotification=Αυτόματη ειδοποίηση ResizeDesc=Εισάγετε το νέο πλάτος ή το νέο ύψος. Λόγος θα διατηρηθούν κατά τη διάρκεια της αλλαγής μεγέθους ... diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index f74ea812c40..60cfc0b3233 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=Πολλαπλά τμήματα τιμών ανά προϊόν / υπηρεσία (κάθε πελάτης βρίσκεται σε ένα τμήμα τιμών) MultiPricesNumPrices=Αριθμός τιμής DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index de4fe4901f7..f63a0fbc3e6 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -76,15 +76,16 @@ MyActivities=Οι εργασίες/δραστηρ. μου MyProjects=Τα έργα μου MyProjectsArea=Τα έργα μου Περιοχή DurationEffective=Αποτελεσματική διάρκεια -ProgressDeclared=Χαρακτηρίστηκε σε εξέλιξη +ProgressDeclared=Declared real progress TaskProgressSummary=Πρόοδος εργασιών CurentlyOpenedTasks=Ανοιχτές εργασίες -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Η δηλωμένη πρόοδος είναι μικρότερη %s από την υπολογισμένη εξέλιξη -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Η δηλωμένη πρόοδος είναι περισσότερο %s από την υπολογισμένη εξέλιξη -ProgressCalculated=Υπολογιζόμενη πρόοδος +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=με το οποίο είμαι συνδεδεμένος WhichIamLinkedToProject=που είμαι συνδεδεμένος με το έργο Time=Χρόνος +TimeConsumed=Consumed ListOfTasks=Κατάλογος εργασιών GoToListOfTimeConsumed=Μεταβείτε στη λίστα του χρόνου που καταναλώνετε GanttView=Gantt View diff --git a/htdocs/langs/en_AU/admin.lang b/htdocs/langs/en_AU/admin.lang index 0980facb414..38d491e84d0 100644 --- a/htdocs/langs/en_AU/admin.lang +++ b/htdocs/langs/en_AU/admin.lang @@ -2,6 +2,8 @@ OldVATRates=Old GST rate NewVATRates=New GST rate DictionaryVAT=GST Rates or Sales Tax Rates +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OptionVatMode=GST due LinkColor=Colour of links OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/en_AU/boxes.lang b/htdocs/langs/en_AU/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/en_AU/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/en_AU/products.lang b/htdocs/langs/en_AU/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/en_AU/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/en_CA/admin.lang b/htdocs/langs/en_CA/admin.lang index 62dd510c5e0..0e5f8409883 100644 --- a/htdocs/langs/en_CA/admin.lang +++ b/htdocs/langs/en_CA/admin.lang @@ -1,7 +1,9 @@ # Dolibarr language file - Source file is en_US - admin LocalTax1Management=PST Management CompanyZip=Postal code +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. LDAPFieldZip=Postal code +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) FormatZip=Postal code OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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/boxes.lang b/htdocs/langs/en_CA/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/en_CA/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/en_CA/products.lang b/htdocs/langs/en_CA/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/en_CA/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index 11a52c3a368..8ffc66c3fdf 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -44,7 +44,9 @@ FollowingSubstitutionKeysCanBeUsed=
To learn how to create your .odt document Module50200Name=PayPal DictionaryAccountancyJournal=Finance journals CompanyZip=Postcode +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. LDAPFieldZip=Postcode +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) 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 the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/en_GB/boxes.lang b/htdocs/langs/en_GB/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/en_GB/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/en_GB/products.lang b/htdocs/langs/en_GB/products.lang index e707e316257..757f0c2e880 100644 --- a/htdocs/langs/en_GB/products.lang +++ b/htdocs/langs/en_GB/products.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) PrintsheetForOneBarCode=Print several labels for one barcode diff --git a/htdocs/langs/en_IN/admin.lang b/htdocs/langs/en_IN/admin.lang index 4b3c42b80b1..88453198858 100644 --- a/htdocs/langs/en_IN/admin.lang +++ b/htdocs/langs/en_IN/admin.lang @@ -8,11 +8,13 @@ Permission25=Send quotations Permission26=Close quotations Permission27=Delete quotations Permission28=Export quotations +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. PropalSetup=Quotation module setup ProposalsNumberingModules=Quotation numbering models ProposalsPDFModules=Quotation documents models FreeLegalTextOnProposal=Free text on quotations WatermarkOnDraftProposal=Watermark on draft quotations (none if empty) +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) MailToSendProposal=Customer quotations OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_IN/products.lang b/htdocs/langs/en_IN/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/en_IN/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/en_SG/admin.lang b/htdocs/langs/en_SG/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/en_SG/admin.lang +++ b/htdocs/langs/en_SG/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_SG/boxes.lang b/htdocs/langs/en_SG/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/en_SG/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/en_SG/products.lang b/htdocs/langs/en_SG/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/en_SG/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index e3646eb8112..af5b6c52bed 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -670,7 +670,7 @@ Module54000Desc=Direct print (without opening the documents) using Cups IPP inte Module55000Name=Poll, Survey or Vote Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) Module59000Name=Margins -Module59000Desc=Module to manage margins +Module59000Desc=Module to follow margins Module60000Name=Commissions Module60000Desc=Module to manage commissions Module62000Name=Incoterms diff --git a/htdocs/langs/en_US/banks.lang b/htdocs/langs/en_US/banks.lang index a0dc27f86c4..81a23238550 100644 --- a/htdocs/langs/en_US/banks.lang +++ b/htdocs/langs/en_US/banks.lang @@ -180,3 +180,4 @@ BankColorizeMovementDesc=If this function is enable, you can choose specific bac BankColorizeMovementName1=Background color for debit movement BankColorizeMovementName2=Background color for credit movement IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning. +NoBankAccountDefined=No bank account defined diff --git a/htdocs/langs/en_US/withdrawals.lang b/htdocs/langs/en_US/withdrawals.lang index debfeaa9d27..059b3451c11 100644 --- a/htdocs/langs/en_US/withdrawals.lang +++ b/htdocs/langs/en_US/withdrawals.lang @@ -26,7 +26,7 @@ NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw statu 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 +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 @@ -148,4 +148,5 @@ InfoRejectSubject=Direct debit payment order refused InfoRejectMessage=Hello,

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

--
%s ModeWarning=Option for real mode was not set, we stop after this simulation ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use. -ErrorICSmissing=Missing ICS in Bank account %s +ErrorICSmissing=Missing ICS in Bank account %s +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=Total amount of direct debit order differs from sum of lines diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang index fb204e4d784..65b179ce94e 100644 --- a/htdocs/langs/es_AR/admin.lang +++ b/htdocs/langs/es_AR/admin.lang @@ -403,6 +403,7 @@ ConditionIsCurrently=La condición es actualmente %s YouUseBestDriver=Utiliza el controlador %s, que es el mejor controlador disponible actualmente. YouDoNotUseBestDriver=Utiliza el controlador %s pero se recomienda el controlador %s. SearchOptim=Optimización de búsqueda +YouHaveXObjectUseSearchOptim=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. 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 la lista de referencia cliente / vendedor (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". @@ -523,7 +524,7 @@ LDAPContactObjectClassListExample=Lista de atributos de registro que definen obj LDAPFieldZip=Cremallera LDAPFieldCompany=Compañía ViewProductDescInFormAbility=Mostrar descripción de productos en formularios (de otro forma es mostrado en una venta emergente tooltip popup) -ViewProductDescInThirdpartyLanguageAbility=Mostrar descripciones de productos en el lenguaje del tercero +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) Target=Destino Sell=Vender PositionIntoComboList=Posición de la línea en las listas de combo diff --git a/htdocs/langs/es_AR/products.lang b/htdocs/langs/es_AR/products.lang index a429996096a..32aef2d5d67 100644 --- a/htdocs/langs/es_AR/products.lang +++ b/htdocs/langs/es_AR/products.lang @@ -63,6 +63,7 @@ PriceRemoved=Precio removido SetDefaultBarcodeType=Definir tipo de código de barras NoteNotVisibleOnBill=Nota (No visible en facturas, presupuestos...) ServiceLimitedDuration=Si un producto es un servicio con duración limitada: +AssociatedProductsAbility=Enable Kits (set of several products) KeywordFilter=Filtro por Palabra Clave CategoryFilter=Filtro por Categoría ExportDataset_produit_1=Productos diff --git a/htdocs/langs/es_BO/admin.lang b/htdocs/langs/es_BO/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_BO/admin.lang +++ b/htdocs/langs/es_BO/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_BO/boxes.lang b/htdocs/langs/es_BO/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_BO/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_BO/products.lang b/htdocs/langs/es_BO/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_BO/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index e24562839c5..5e0edfef07f 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -1086,7 +1086,7 @@ ProductServiceSetup=Configuración de módulos de productos y servicios NumberOfProductShowInSelect=Número máximo de productos para mostrar en las listas de selección de combo (0 = sin límite) ViewProductDescInFormAbility=Mostrar descripciones de productos en formularios (de lo contrario, se muestra en una ventana emergente de información sobre herramientas) MergePropalProductCard=Activar en el producto / servicio pestaña Archivos adjuntos una opción para combinar el documento PDF del producto con la propuesta PDF azur si el producto / servicio figura en la propuesta -ViewProductDescInThirdpartyLanguageAbility=Mostrar descripciones de los productos en el idioma del tercero. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Además, si tiene una gran cantidad de productos (> 100 000), puede aumentar la velocidad configurando la constante PRODUCT_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otros. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectProduct=Espere hasta que presione una tecla antes de cargar el contenido de la lista de combo de productos (esto puede aumentar el rendimiento si tiene una gran cantidad de productos, pero es menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras predeterminado para usar en productos diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang index 29de095e2ec..ddb4957ee49 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -61,6 +61,7 @@ NoteNotVisibleOnBill=Nota (no visible en las facturas, cotizaciones, etc.) ServiceLimitedDuration=Si el producto es un servicio de duración limitada: MultiPricesAbility=Múltiples segmentos de precios por producto / servicio (cada cliente está en un segmento de precios) MultiPricesNumPrices=Cantidad de precios +AssociatedProductsAbility=Enable Kits (set of several products) ParentProductsNumber=Número de producto de embalaje principal ParentProducts=Productos para padres KeywordFilter=Filtro de palabras clave diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index fd50392c8ea..7ef9525fbda 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -43,10 +43,6 @@ AddHereTimeSpentForDay=Agregue aquí el tiempo dedicado a este día / tarea Activities=Tareas / actividades MyActivities=Mis tareas / actividades MyProjectsArea=Mi área de proyectos -ProgressDeclared=Progreso declarado -TheReportedProgressIsLessThanTheCalculatedProgressionByX=El progreso declarado es menos %s que la progresión calculada -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=El progreso declarado es más %s que la progresión calculada -ProgressCalculated=Progreso calculado Time=Hora ListOfTasks=Lista de tareas GoToListOfTimeConsumed=Ir a la lista de tiempo consumido diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index 5483fbdbfda..c2a2083e8ce 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -700,6 +700,7 @@ SuhosinSessionEncrypt=Almacenamiento de sesión encriptado por Suhosin. ConditionIsCurrently=La condición es actualmente %s YouDoNotUseBestDriver=Utiliza el controlador %s pero se recomienda el controlador %s. SearchOptim=Optimización de búsqueda +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. BrowserIsOK=Está utilizando el navegador web %s. Este navegador está bien para la seguridad y el rendimiento. BrowserIsKO=Está utilizando el navegador web %s. Se sabe que este navegador es una mala elección para la seguridad, el rendimiento y la confiabilidad. Recomendamos el uso de Firefox, Chrome, Opera o Safari. AskForPreferredShippingMethod=Pregunte por el método de envío preferido para terceros. @@ -859,7 +860,7 @@ ProductSetup=Configuración del módulo de productos ServiceSetup=Configuración del módulo de servicios ProductServiceSetup=Configuración de módulos de productos y servicios. MergePropalProductCard=Active en la pestaña Archivos adjuntos del producto / servicio una opción para fusionar el documento PDF del producto a la propuesta PDF azur si el producto / servicio está en la propuesta -ViewProductDescInThirdpartyLanguageAbility=Mostrar las descripciones de los productos en el idioma del tercero. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Además, si tiene una gran cantidad de productos (> 100 000), puede aumentar la velocidad configurando la constante PRODUCT_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otros. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectProduct=Espere hasta que presione una tecla antes de cargar el contenido de la lista de combo de productos (esto puede aumentar el rendimiento si tiene una gran cantidad de productos, pero es menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras predeterminado para usar en productos diff --git a/htdocs/langs/es_CO/products.lang b/htdocs/langs/es_CO/products.lang index f3e96745592..19e7fb865c4 100644 --- a/htdocs/langs/es_CO/products.lang +++ b/htdocs/langs/es_CO/products.lang @@ -54,6 +54,7 @@ BarcodeValue=Valor de código de barras NoteNotVisibleOnBill=Nota (no visible en facturas, propuestas ...) ServiceLimitedDuration=Si el producto es un servicio con duración limitada: MultiPricesNumPrices=Numero de precios +AssociatedProductsAbility=Enable Kits (set of several products) ParentProductsNumber=Número de producto de embalaje principal ParentProducts=Productos para padres KeywordFilter=Filtro de palabras clave diff --git a/htdocs/langs/es_CO/projects.lang b/htdocs/langs/es_CO/projects.lang index 5bb088ffa15..9fff1ff1340 100644 --- a/htdocs/langs/es_CO/projects.lang +++ b/htdocs/langs/es_CO/projects.lang @@ -45,8 +45,6 @@ AddHereTimeSpentForDay=Agregue aquí el tiempo dedicado a este día / tarea Activities=Tareas / actividades MyActivities=Mis tareas / actividades MyProjectsArea=Mis proyectos area -ProgressDeclared=Progreso declarado -ProgressCalculated=Progreso calculado Time=Hora ListOfTasks=Lista de tareas GoToListOfTimeConsumed=Ir a la lista de tiempo consumido diff --git a/htdocs/langs/es_DO/admin.lang b/htdocs/langs/es_DO/admin.lang index 6dbaf311a2a..21c26ed557f 100644 --- a/htdocs/langs/es_DO/admin.lang +++ b/htdocs/langs/es_DO/admin.lang @@ -6,6 +6,8 @@ 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 +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OptionVatMode=Opción de carga de ITBIS OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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/boxes.lang b/htdocs/langs/es_DO/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_DO/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_DO/products.lang b/htdocs/langs/es_DO/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_DO/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index bf0e5e8941b..dd773d69a00 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -1158,7 +1158,7 @@ ProductServiceSetup=Configuración de módulos de productos y servicios NumberOfProductShowInSelect=Número máximo de productos para mostrar en las listas de selección de combo (0 ViewProductDescInFormAbility=Mostrar descripciones de productos en formularios (de lo contrario, se muestra en una ventana emergente de información sobre herramientas) MergePropalProductCard=Activar en la ficha Archivos adjuntos de producto / servicio una opción para fusionar el documento PDF del producto con la propuesta PDF azur si el producto / servicio está en la propuesta -ViewProductDescInThirdpartyLanguageAbility=Mostrar descripciones de productos en el idioma del tercero. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Además, si tiene una gran cantidad de productos (> 100 000), puede aumentar la velocidad configurando la constante PRODUCT_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otros. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectProduct=Espere hasta que presione una tecla antes de cargar el contenido de la lista de combo de productos (esto puede aumentar el rendimiento si tiene una gran cantidad de productos, pero es menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras predeterminado para utilizar en los productos @@ -1494,4 +1494,5 @@ RESTRICT_ON_IP=Permitir el acceso a alguna IP de host solamente (comodín no per 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 +EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta 'Referencias' que coincida con esta sintaxis JumpToBoxes=Vaya a Configuración -> Widgets diff --git a/htdocs/langs/es_EC/products.lang b/htdocs/langs/es_EC/products.lang index 5cdd3a75153..c75401d2e14 100644 --- a/htdocs/langs/es_EC/products.lang +++ b/htdocs/langs/es_EC/products.lang @@ -61,6 +61,7 @@ NoteNotVisibleOnBill=Nota (no visible en facturas, propuestas...) ServiceLimitedDuration=Si el producto es un servicio con duración limitada: MultiPricesAbility=Múltiples segmentos de precios por producto / servicio (cada cliente está en un segmento de precios) MultiPricesNumPrices=Número de precios +AssociatedProductsAbility=Enable Kits (set of several products) ParentProductsNumber=Número de producto de embalaje principal ParentProducts=Productos para los padres KeywordFilter=Filtro de palabras clave diff --git a/htdocs/langs/es_EC/projects.lang b/htdocs/langs/es_EC/projects.lang index ec9d4afe521..593d95f821b 100644 --- a/htdocs/langs/es_EC/projects.lang +++ b/htdocs/langs/es_EC/projects.lang @@ -46,10 +46,6 @@ AddTimeSpent=Crear tiempo AddHereTimeSpentForDay=Añadir aquí el tiempo dedicado a este día/tarea Activities=Tareas / actividades MyProjectsArea=Mis proyectos -ProgressDeclared=Progreso declarado -TheReportedProgressIsLessThanTheCalculatedProgressionByX=El progreso declarado es menos %s que la progresión calculada -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=El progreso declarado es más %s que la progresión calculada -ProgressCalculated=Progreso calculado Time=Hora ListOfTasks=Lista de tareas GoToListOfTimeConsumed=Ir a la lista de tiempo consumido @@ -116,6 +112,7 @@ OpportunityProbability=Probabilidad de clientes potenciales OpportunityProbabilityShort=Probabilidad de plomo. OpportunityAmount=Cantidad de clientes potenciales OpportunityAmountShort=Cantidad de clientes potenciales +OpportunityWeightedAmountShort=Opp. cantidad ponderada OpportunityAmountAverageShort=Cantidad de plomo promedio OpportunityAmountWeigthedShort=Cantidad de plomo ponderada WonLostExcluded=Ganado/perdido excluido diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 5d2b70ce4c5..515e4977c03 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -18,7 +18,7 @@ DefaultForService=Predeterminado para el servicio DefaultForProduct=Predeterminado para el producto CantSuggest=No se puede sugerir AccountancySetupDoneFromAccountancyMenu=La mayor parte de la configuración de la contabilidad se realiza desde el menú %s -ConfigAccountingExpert=Configuración de la contabilidad del módulo (doble entrada) +ConfigAccountingExpert=Configuración del módulo contable (doble partida) Journalization=Procesar diarios Journals=Diarios JournalFinancial=Diarios financieros @@ -178,21 +178,21 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta operaciones pendientes de asignar DONATION_ACCOUNTINGACCOUNT=Cuenta contable para registrar donaciones ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Cuenta contable para registrar subscripciones -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Cuenta contable por defecto para registrar el depósito del cliente +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Cuenta contable por defecto para registrar el anticipo del cliente -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Cuenta contable predeterminada para los productos comprados (si no se define en el producto) -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_PRODUCT_BUY_ACCOUNT=Cuenta contable predeterminada para los productos comprados (usada si no se define en el producto) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los productos comprados en CEE (usada si no se define en el producto) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos comprados e importados fuera de la CEE (usada si no se define en el producto) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Cuenta contable predeterminada para los productos vendidos (usada si no se define en el producto) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Cuenta contable predeterminada para los productos vendidos en la CEE (usada si no se define en el producto) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable predeterminada para los productos vendidos fuera de la CEE (usada 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=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) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta contable predeterminada para los servicios comprados (usada si no se define en el servicio) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los servicios comprados en CEE (usada si no se define en el servicio) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios comprados e importados fuera de la CEE (usada si no se define en el servicio) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos (usada si no se define en el servicio) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos en la CEE (usada si no se define en el servicio) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Cuenta contable predeterminada para los servicios vendidos fuera de la CEE (usada si no se define en el producto) Doctype=Tipo de documento Docdate=Fecha @@ -338,15 +338,15 @@ Modelcsv_quadratus=Exportar a Quadratus QuadraCompta Modelcsv_ebp=Exportar a EBP Modelcsv_cogilog=Eportar a Cogilog Modelcsv_agiris=Exportar a Agiris -Modelcsv_LDCompta=Exportar para LD Compta (v9 y superior) (En pruebas) -Modelcsv_LDCompta10=Exportar para LD Compta (v10 & superior) +Modelcsv_LDCompta=Exportar a LD Compta (v9 y superior) (En pruebas) +Modelcsv_LDCompta10=Exportar a LD Compta (v10 & superior) Modelcsv_openconcerto=Exportar a OpenConcerto (En pruebas) Modelcsv_configurable=Exportación CSV Configurable Modelcsv_FEC=Exportación FEC -Modelcsv_FEC2=Exportar FEC (con escritura de generación de fechas / documento invertido) +Modelcsv_FEC2=Exportar a FEC (con escritura de generación de fechas / documento invertido) Modelcsv_Sage50_Swiss=Exportación a Sage 50 Suiza -Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta -Modelcsv_Gestinumv3=Exportar para Gestinum (v3) +Modelcsv_winfic=Exportar a Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Exportar a Gestinum (v3) Modelcsv_Gestinumv5Export para Gestinum (v5) ChartofaccountsId=Id plan contable diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 878ea6c13df..a1b0b9969ea 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -75,7 +75,7 @@ DisableJavascriptNote=Nota: Para propósitos de prueba o depuración. Para la op UseSearchToSelectCompanyTooltip=También si tiene un gran número de terceros (> 100 000), puede aumentar la velocidad mediante el establecimiento COMPANY_DONOTSEARCH_ANYWHERE constante a 1 en Configuración-> Otros. La búsqueda será limitada a la creación de cadena. UseSearchToSelectContactTooltip=También si usted tiene un gran número de terceros (> 100 000), puede aumentar la velocidad mediante el establecimiento CONTACT_DONOTSEARCH_ANYWHERE constante a 1 en Configuración-> Otros. La búsqueda será limitada a la creación de cadena. DelaiedFullListToSelectCompany=Esperar a que presione una tecla antes de cargar el contenido de la lista combinada de terceros
Esto puede incrementar el rendimiento si tiene un gran número de terceros, pero es menos conveniente. -DelaiedFullListToSelectContact=Espera a que presione una tecla antes de cargar el contenido de la lista de contactos.
Esto puede incrementar el rendimiento si tiene un gran número de contactos, pero es menos conveniente. +DelaiedFullListToSelectContact=Esperar a que presione una tecla antes de cargar el contenido de la lista de contactos.
Esto puede incrementar el rendimiento si tiene un gran número de contactos, pero es menos conveniente. NumberOfKeyToSearch=Número de caracteres para desencadenar la búsqueda: %s NumberOfBytes=Número de Bytes SearchString=Buscar cadena @@ -154,7 +154,7 @@ SystemToolsAreaDesc=Esta área ofrece distintas funciones de administración. Ut Purge=Purga PurgeAreaDesc=Esta página le permite borrar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos del directorio %s). El uso de esta función no es necesaria. Se proporciona como solución para los usuarios cuyos Dolibarr se encuentran en un proveedor que no ofrece permisos para eliminar los archivos generados por el servidor web. PurgeDeleteLogFile=Eliminar archivos de registro, incluidos %s definidos por el módulo Syslog (sin riesgo de perder datos) -PurgeDeleteTemporaryFiles=Elimine todos los archivos de registro y temporales (sin riesgo de perder datos). Nota: La eliminación de archivos temporales se realiza solo si el directorio temporal se creó hace más de 24 horas. +PurgeDeleteTemporaryFiles=Eliminar todos los archivos de registro y temporales (sin riesgo de perder datos). Nota: La eliminación de archivos temporales se realiza solo si el directorio temporal se creó hace más de 24 horas. PurgeDeleteTemporaryFilesShort=Eliminar archivos de registro y temporales PurgeDeleteAllFilesInDocumentsDir=Eliminar todos los archivos del directorio %s. Serán eliminados archivos temporales y archivos relacionados con elementos (terceros, facturas, etc.), archivos subidos al módulo GED, copias de seguridad de la base de datos y archivos temporales. PurgeRunNow=Purgar @@ -408,7 +408,7 @@ UrlGenerationParameters=Seguridad de las URLs SecurityTokenIsUnique=¿Usar un parámetro securekey único para cada URL? EnterRefToBuildUrl=Introduzca la referencia del objeto %s GetSecuredUrl=Obtener la URL calculada -ButtonHideUnauthorized=Oculte los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) +ButtonHideUnauthorized=Ocultar los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario) OldVATRates=Tasa de IVA antigua NewVATRates=Tasa de IVA nueva PriceBaseTypeToChange=Cambiar el precio cuya referencia de base es @@ -1316,7 +1316,7 @@ PHPModuleLoaded=El componente PHP %s está cargado PreloadOPCode=Se utiliza OPCode precargado AddRefInList=Mostrar código de cliente/proveedor en los listados (y selectores) y enlaces.
Los terceros aparecerán con el nombre "CC12345 - SC45678 - The big company coorp", en lugar de "The big company coorp". AddAdressInList=Mostrar la dirección del cliente/proveedor en los listados (y selectores)
Los terceros aparecerán con el nombre "The big company coorp - 21 jump street 123456 Big town - USA ", en lugar de "The big company coorp". -AddEmailPhoneTownInContactList=Mostrar correo electrónico de contacto (o teléfonos si no están definidos) y lista de información de la ciudad (lista de selección o cuadro combinado)
Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - Paris "en lugar de" Dupond Durand ". +AddEmailPhoneTownInContactList=Mostrar e-mail de contacto (o teléfonos si no están definidos) y lista de información de la ciudad (lista de selección o cuadro combinado)
Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - Paris "en lugar de" Dupond Durand ". AskForPreferredShippingMethod=Consultar por el método preferido de envío a terceros. FieldEdition=Edición del campo %s FillThisOnlyIfRequired=Ejemplo: +2 (Complete sólo si se registra una desviación del tiempo en la exportación) @@ -1598,8 +1598,13 @@ ServiceSetup=Configuración del módulo Servicios ProductServiceSetup=Configuración de los módulos Productos y Servicios NumberOfProductShowInSelect=Nº de productos máx. en las listas (0=sin límite) ViewProductDescInFormAbility=Visualización de las descripciones de los productos en los formularios (en caso contrario como tooltip) +DoNotAddProductDescAtAddLines=No agregue la descripción del producto (de la tarjeta del producto) al enviar, agregue líneas en los formularios +OnProductSelectAddProductDesc=Cómo utilizar la descripción de los productos al agregar un producto como una línea de un documento +AutoFillFormFieldBeforeSubmit=Autocompletar el campo de entrada de descripción con la descripción del producto +DoNotAutofillButAutoConcat=No autocompletar el campo de entrada con la descripción del producto. La descripción del producto se concatenará a la descripción ingresada automáticamente. +DoNotUseDescriptionOfProdut=La descripción del producto nunca se incluirá en la descripción de líneas de documentos. MergePropalProductCard=Activar en el producto/servicio la pestaña Documentos una opción para fusionar documentos PDF de productos al presupuesto PDF azur si el producto/servicio se encuentra en el presupuesto -ViewProductDescInThirdpartyLanguageAbility=Visualización de las descripciones de productos en el idioma del tercero +ViewProductDescInThirdpartyLanguageAbility=Mostrar descripciones de productos en formularios en el idioma del tercero (de lo contrario, en el idioma del usuario) UseSearchToSelectProductTooltip=También si usted tiene una gran cantidad de producto (> 100 000), puede aumentar la velocidad mediante el establecimiento PRODUCT_DONOTSEARCH_ANYWHERE constante a 1 en Configuración-> Otros. La búsqueda será limitada al inicio de la cadena. UseSearchToSelectProduct=Esperar a que presione una tecla antes de cargar el contenido de la lista combinada de productos (Esto puede incrementar el rendimiento si tiene un gran número de productos, pero es menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras utilizado por defecto para los productos @@ -1674,7 +1679,7 @@ AdvancedEditor=Editor avanzado ActivateFCKeditor=Activar editor avanzado para : FCKeditorForCompany=Creación/edición WYSIWIG de la descripción y notas de los terceros FCKeditorForProduct=Creación/edición WYSIWIG de la descripción y notas de los productos/servicios -FCKeditorForProductDetails=WYSIWIG creación / edición de líneas de detalle de productos para todas las entidades (propuestas, pedidos, facturas, etc ...). Advertencia: El uso de esta opción para este caso no se recomienda seriamente, ya que puede crear problemas con caracteres especiales y formato de página al crear archivos PDF. +FCKeditorForProductDetails=creación/edición WYSIWIG de líneas de detalle de productos para todas las entidades (propuestas, pedidos, facturas, etc ...). Advertencia: El uso de esta opción para este caso no se recomienda seriamente, ya que puede crear problemas con caracteres especiales y formato de página al crear archivos PDF. FCKeditorForMailing= Creación/edición WYSIWIG de los E-Mails (Utilidades->E-Mailings) FCKeditorForUserSignature=Creación/edición WYSIWIG de la firma de usuarios FCKeditorForMail=Creación/edición WYSIWIG de todos los e-mails ( excepto Utilidades->E-Mailings) @@ -1740,9 +1745,9 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Establecer automáticamente este valor por defecto AGENDA_DEFAULT_FILTER_TYPE=Establecer por defecto este tipo de evento en el filtro de búsqueda en la vista de la agenda AGENDA_DEFAULT_FILTER_STATUS=Establecer por defecto este estado de eventos en el filtro de búsqueda en la vista de la agenda AGENDA_DEFAULT_VIEW=Establecer la vista por defecto al seleccionar el menú Agenda -AGENDA_REMINDER_BROWSER=Habilite el recordatorio de eventos en el navegador del usuario (Cuando se alcanza la fecha de recordatorio, el navegador muestra una ventana emergente. Cada usuario puede deshabilitar dichas notificaciones desde la configuración de notificaciones del navegador). +AGENDA_REMINDER_BROWSER=Habilitar el recordatorio de eventos en el navegador del usuario (Cuando se alcanza la fecha de recordatorio, el navegador muestra una ventana emergente. Cada usuario puede deshabilitar dichas notificaciones desde la configuración de notificaciones del navegador). AGENDA_REMINDER_BROWSER_SOUND=Activar sonido de notificación -AGENDA_REMINDER_EMAIL=Habilite el recordatorio de eventos por correo electrónico (la opción de recordatorio / retraso se puede definir en cada evento). +AGENDA_REMINDER_EMAIL=Habilitar el recordatorio de eventos por correo electrónico (la opción de recordatorio/retraso se puede definir en cada evento). AGENDA_REMINDER_EMAIL_NOTE=Nota: La frecuencia de la tarea %s debe ser suficiente para asegurarse de que los recordatorios se envíen en el momento correcto. AGENDA_SHOW_LINKED_OBJECT=Mostrar el link en la agenda ##### Clicktodial ##### @@ -1765,7 +1770,7 @@ 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=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. +CashDeskForceDecreaseStockDesc=Disminuir primero por las fechas más antiguas de caducidad 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 @@ -2068,7 +2073,7 @@ NotAPublicIp=No es una IP pública MakeAnonymousPing=Realice un Ping anónimo '+1' al servidor de la base Dolibarr (realizado 1 vez tras la instalación) para permitir que la base cuente la cantidad de instalación de 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 +EMailsWillHaveMessageID=Los e-mais tendrán una etiqueta 'Referencias' que coincida con esta sintaxis 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 @@ -2079,7 +2084,7 @@ MeasuringScaleDesc=La escala es el número de lugares que tiene que mover la par TemplateAdded=Plantilla añadida TemplateUpdated=Plantilla actualizada TemplateDeleted=Plantilla eliminada -MailToSendEventPush=Correo electrónico de recordatorio de evento +MailToSendEventPush=E-mail de recordatorio de evento SwitchThisForABetterSecurity=Cambiar el valor a %s es lo recomendado para una mayor seguridad DictionaryProductNature= Naturaleza del producto CountryIfSpecificToOneCountry=País (si es específico de un país determinado) diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index 9e154aab266..b8bacc120eb 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -173,7 +173,7 @@ SEPAMandate=Mandato SEPA YourSEPAMandate=Su mandato SEPA FindYourSEPAMandate=Este es su mandato SEPA para autorizar a nuestra empresa a realizar un petición de débito directo a su banco. Gracias por devolverlo firmado (escaneo del documento firmado) o enviado por correo a AutoReportLastAccountStatement=Rellenar automáticamente el campo 'número de extracto bancario' con el último número de extracto cuando realice la conciliación -CashControl=Cierra de caja del POS +CashControl=Cierre de caja del POS NewCashFence=Nuevo cierre de caja BankColorizeMovement=Colorear movimientos BankColorizeMovementDesc=Si esta función está activada, puede elegir un color de fondo específico para los movimientos de débito o crédito diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang index c66dad3560f..9de8ba35af6 100644 --- a/htdocs/langs/es_ES/boxes.lang +++ b/htdocs/langs/es_ES/boxes.lang @@ -27,7 +27,7 @@ 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 de clientes modificadas +BoxTitleLastCustomerBills=Últimas %s facturas a clientes modificadas BoxTitleLastSupplierBills=Últimas %s facturas de proveedor modificadas BoxTitleLastModifiedProspects=Últimos %s presupuestos modificados BoxTitleLastModifiedMembers=Últimos %s miembros @@ -51,7 +51,7 @@ BoxGlobalActivity=Actividad global BoxGoodCustomers=Buenos clientes BoxTitleGoodCustomers=%s buenos clientes BoxScheduledJobs=Tareas programadas -BoxTitleFunnelOfProspection=Embudo oportunidad +BoxTitleFunnelOfProspection=Embudo de oportunidad FailedToRefreshDataInfoNotUpToDate=Error al actualizar el RSS. Último refresco correcto: %s LastRefreshDate=Último refresco NoRecordedBookmarks=No hay marcadores personales. diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang index 99106a86314..b50d6c93e65 100644 --- a/htdocs/langs/es_ES/categories.lang +++ b/htdocs/langs/es_ES/categories.lang @@ -66,15 +66,15 @@ UsersCategoriesShort=Área etiquetas/categorías Usuarios StockCategoriesShort=Etiquetas/categorías almacenes ThisCategoryHasNoItems=Esta categoría no contiene ningún objeto CategId=Id etiqueta/categoría -ParentCategory=Etiqueta / categoría principal -ParentCategoryLabel=Etiqueta de etiqueta / categoría principal -CatSupList=Lista de etiquetas/categorías de proveedores -CatCusList=Lista de etiquetas/categorías de clientes/potenciales +ParentCategory=Etiqueta/categoría principal +ParentCategoryLabel=Etiqueta de etiqueta/categoría principal +CatSupList=Listado de etiquetas/categorías de proveedores +CatCusList=Listado de etiquetas/categorías de clientes/potenciales CatProdList=Listado de etiquetas/categorías de productos CatMemberList=Listado de etiquetas/categorías de miembros -CatContactList=Lista de etiquetas/categorías de contactos -CatProjectsList=Lista de etiquetas/categorías de proyectos -CatUsersList=Lista de etiquetas/categorías de usuarios +CatContactList=Listado de etiquetas/categorías de contactos +CatProjectsList=Listado de etiquetas/categorías de proyectos +CatUsersList=Listado de etiquetas/categorías de usuarios CatSupLinks=Vínculos entre proveedores y etiquetas/categorías CatCusLinks=Enlaces entre clientes/clientes potenciales y etiquetas/categorías CatContactsLinks=Enlaces entre contactos/direcciones y etiquetas/categorías diff --git a/htdocs/langs/es_ES/contracts.lang b/htdocs/langs/es_ES/contracts.lang index caf7a7d363b..7e663f919a8 100644 --- a/htdocs/langs/es_ES/contracts.lang +++ b/htdocs/langs/es_ES/contracts.lang @@ -28,7 +28,7 @@ MenuRunningServices=Servicios activos MenuExpiredServices=Servicios expirados MenuClosedServices=Servicios cerrados NewContract=Nuevo contrato -NewContractSubscription=New contract or subscription +NewContractSubscription=Nuevo contrato o suscripción AddContract=Crear contrato DeleteAContract=Eliminar un contrato ActivateAllOnContract=Activar todos los servicios @@ -99,6 +99,6 @@ TypeContact_contrat_internal_SALESREPFOLL=Comercial seguimiento del contrato TypeContact_contrat_external_BILLING=Contacto cliente de facturación del contrato TypeContact_contrat_external_CUSTOMER=Contacto cliente seguimiento del contrato TypeContact_contrat_external_SALESREPSIGN=Contacto cliente firmante del contrato -HideClosedServiceByDefault=Hide closed services by default -ShowClosedServices=Show Closed Services -HideClosedServices=Hide Closed Services +HideClosedServiceByDefault=Ocultar servicios cerrados por defecto +ShowClosedServices=Mostrar servicios cerrados +HideClosedServices=Ocultar servicios cerrados diff --git a/htdocs/langs/es_ES/cron.lang b/htdocs/langs/es_ES/cron.lang index fbd82ed411d..bc2036a769d 100644 --- a/htdocs/langs/es_ES/cron.lang +++ b/htdocs/langs/es_ES/cron.lang @@ -7,8 +7,8 @@ Permission23103 = Borrar Tarea Programada Permission23104 = Ejecutar Taraea programada # Admin CronSetup=Configuración del módulo Programador -URLToLaunchCronJobs=URL para verificar e iniciar trabajos cron calificados desde un navegador -OrToLaunchASpecificJob=O para verificar e iniciar un trabajo específico desde un navegador +URLToLaunchCronJobs=URL para verificar e iniciar tareas cron calificados desde un navegador +OrToLaunchASpecificJob=O para verificar e iniciar una tarea específica desde un navegador KeyForCronAccess=Clave para la URL para ejecutar tareas Cron FileToLaunchCronJobs=Comando para ejecutar tareas Cron CronExplainHowToRunUnix=En entornos Unix se debe utilizar la siguiente entrada crontab para ejecutar el comando cada 5 minutos @@ -47,7 +47,7 @@ CronNbRun=Número de ejecuciones CronMaxRun=Número máximo ejecuciones CronEach=Toda(s) JobFinished=Tareas lanzadas y finalizadas -Scheduled=Programado +Scheduled=Programada #Page card CronAdd= Tarea Nueva CronEvery=Ejecutar la tarea cada @@ -84,8 +84,8 @@ MakeLocalDatabaseDumpShort=Copia local de la base de datos MakeLocalDatabaseDump=Crear una copia local de la base de datos. Los parámetros son: compresión ('gz' o 'bz' o 'ninguno'), tipo de copia de seguridad ('mysql' o 'pgsql'), 1, 'auto' o nombre de archivo para construir, nº de archivos de copia de seguridad a mantener WarningCronDelayed=Atención: para mejorar el rendimiento, cualquiera que sea la próxima fecha de ejecución de las tareas activas, sus tareas pueden retrasarse un máximo de %s horas antes de ejecutarse DATAPOLICYJob=Limpiador de datos y anonimizador -JobXMustBeEnabled=El trabajo %s debe estar habilitado +JobXMustBeEnabled=La tarea %s debe estar habilitada # Cron Boxes -LastExecutedScheduledJob=Último trabajo programado ejecutado -NextScheduledJobExecute=Siguiente trabajo programado para ejecutar -NumberScheduledJobError=Número de trabajos programados con error +LastExecutedScheduledJob=Última tarea programada ejecutada +NextScheduledJobExecute=Siguiente tarea programada para ejecutar +NumberScheduledJobError=Número de tareas programadas con error diff --git a/htdocs/langs/es_ES/deliveries.lang b/htdocs/langs/es_ES/deliveries.lang index d4ebc8747db..f766e2d6734 100644 --- a/htdocs/langs/es_ES/deliveries.lang +++ b/htdocs/langs/es_ES/deliveries.lang @@ -27,6 +27,6 @@ Recipient=Destinatario ErrorStockIsNotEnough=No hay suficiente stock Shippable=Enviable NonShippable=No enviable -ShowShippableStatus=Mostrar estado de envío +ShowShippableStatus=Mostrar estado del envío ShowReceiving=Mostrar nota de recepción NonExistentOrder=Pedido inexistente diff --git a/htdocs/langs/es_ES/ecm.lang b/htdocs/langs/es_ES/ecm.lang index 54ec4c75ac9..6a4b189771f 100644 --- a/htdocs/langs/es_ES/ecm.lang +++ b/htdocs/langs/es_ES/ecm.lang @@ -23,7 +23,7 @@ ECMSearchByKeywords=Buscar por palabras clave ECMSearchByEntity=Buscar por objeto ECMSectionOfDocuments=Directorios de documentos ECMTypeAuto=Automático -ECMDocsBy=Documents linked to %s +ECMDocsBy=Documentos vinculados a %s ECMNoDirectoryYet=No se ha creado el directorio ShowECMSection=Mostrar directorio DeleteSection=Eliminación directorio @@ -38,6 +38,6 @@ ReSyncListOfDir=Resincronizar la lista de directorios HashOfFileContent=Hash de contenido de archivo NoDirectoriesFound=No se encontraron directorios FileNotYetIndexedInDatabase=Archivo aún no indexado en la base de datos (intente volver a cargarlo) -ExtraFieldsEcmFiles=Archivos Ecm de campos extra -ExtraFieldsEcmDirectories=Directorios Ecm de campos extra -ECMSetup=Configuración de ECM +ExtraFieldsEcmFiles=campos adicionales de archivos GED +ExtraFieldsEcmDirectories=Campos adicionales de Directorios GED +ECMSetup=Configuración de GED diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index 44801df91fb..a25529bdd52 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -5,7 +5,7 @@ NoErrorCommitIsDone=Sin errores, es válido # Errors ErrorButCommitIsDone=Errores encontrados, pero es válido a pesar de todo ErrorBadEMail=E-mail %s incorrecto -ErrorBadMXDomain=El correo electrónico %s parece incorrecto (el dominio no tiene un registro MX válido) +ErrorBadMXDomain=El e-mail %s parece incorrecto (el dominio no tiene un registro MX válido) ErrorBadUrl=Url %s inválida ErrorBadValueForParamNotAString=Valor incorrecto para su parámetro. Generalmente aparece cuando no existe traducción. ErrorRefAlreadyExists=La referencia %s ya existe. @@ -50,7 +50,7 @@ ErrorFieldsRequired=No se indicaron algunos campos obligatorios ErrorSubjectIsRequired=El asunto del e-mail es obligatorio ErrorFailedToCreateDir=Error en la creación de un directorio. Compruebe que el usuario del servidor Web tiene derechos de escritura en los directorios de documentos de Dolibarr. Si el parámetro safe_mode está activo en este PHP, Compruebe que los archivos php Dolibarr pertenecen al usuario del servidor Web. ErrorNoMailDefinedForThisUser=E-Mail no definido para este usuario -ErrorSetupOfEmailsNotComplete=La configuración de los correos electrónicos no está completa +ErrorSetupOfEmailsNotComplete=La configuración de los e-mailss no está completa ErrorFeatureNeedJavascript=Esta funcionalidad precisa de javascript activo para funcionar. Modifique en configuración->entorno. ErrorTopMenuMustHaveAParentWithId0=Un menú del tipo 'Superior' no puede tener un menú padre. Ponga 0 en el ID padre o busque un menú del tipo 'Izquierdo' ErrorLeftMenuMustHaveAParentId=Un menú del tipo 'Izquierdo' debe de tener un ID de padre @@ -283,7 +283,7 @@ WarningDateOfLineMustBeInExpenseReportRange=Advertencia, la fecha de la línea n WarningProjectDraft=El proyecto todavía está en modo borrador. No olvide validarlo si planea usar tareas. 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=Advertencia, no se pudo agregar la entrada de archivo en la tabla de índice de la base de datos de ECM +WarningFailedToAddFileIntoDatabaseIndex=Advertencia, no se pudo agregar la entrada de archivo en la tabla de índice de la base de datos de GED WarningTheHiddenOptionIsOn=Advertencia, la opción oculta %s está activada. WarningCreateSubAccounts=Advertencia, no puede crear directamente una subcuenta, debe crear un tercero o un usuario y asignarles un código de contabilidad para encontrarlos en esta lista. WarningAvailableOnlyForHTTPSServers=Disponible solo si usa una conexión segura HTTPS. diff --git a/htdocs/langs/es_ES/ftp.lang b/htdocs/langs/es_ES/ftp.lang index c363097056f..4dcb9e6c0ce 100644 --- a/htdocs/langs/es_ES/ftp.lang +++ b/htdocs/langs/es_ES/ftp.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - ftp -FTPClientSetup=Configuración del módulo cliente FTP -NewFTPClient=Nueva conexión cliente FTP -FTPArea=Área FTP -FTPAreaDesc=Esta pantalla presenta una vista de servidor FTP -SetupOfFTPClientModuleNotComplete=La configuración del módulo de cliente FTP parece incompleta -FTPFeatureNotSupportedByYourPHP=Su PHP no soporta las funciones FTP -FailedToConnectToFTPServer=No se pudo conectar con el servidor FTP (servidor: %s, puerto %s) -FailedToConnectToFTPServerWithCredentials=No se pudo conectar con el login/contraseña FTP configurados +FTPClientSetup=Configuración del módulo de cliente FTP o SFTP +NewFTPClient=Nueva configuración de conexión FTP / FTPS +FTPArea=Área FTP / FTPS +FTPAreaDesc=Esta pantalla muestra una vista de un servidor FTP y SFTP. +SetupOfFTPClientModuleNotComplete=La configuración del módulo de cliente FTP o SFTP parece estar incompleta +FTPFeatureNotSupportedByYourPHP=Su PHP no admite funciones FTP o SFTP +FailedToConnectToFTPServer=No se pudo conectar al servidor (servidor %s, puerto %s) +FailedToConnectToFTPServerWithCredentials=Error al iniciar sesión en el servidor con inicio de sesión/contraseña definidos FTPFailedToRemoveFile=No se pudo eliminar el archivo %s. FTPFailedToRemoveDir=No se pudo eliminar el directorio %s (Compruebe los permisos y que el directorio está vacío). FTPPassiveMode=Modo pasivo -ChooseAFTPEntryIntoMenu=Elija una entrada de FTP en el menú ... +ChooseAFTPEntryIntoMenu=Elija un sitio FTP / SFTP del menú ... FailedToGetFile=No se pudieron obtener los archivos %s diff --git a/htdocs/langs/es_ES/install.lang b/htdocs/langs/es_ES/install.lang index cf53fbdae48..db506fac1b6 100644 --- a/htdocs/langs/es_ES/install.lang +++ b/htdocs/langs/es_ES/install.lang @@ -87,7 +87,7 @@ GoToSetupArea=Acceso a Dolibarr (área de configuración) MigrationNotFinished=La versión de la base de datos no está completamente actualizada: vuelva a ejecutar el proceso de actualización. GoToUpgradePage=Acceder a la página de migración de nuevo WithNoSlashAtTheEnd=Sin el signo "/" al final -DirectoryRecommendation=  IMPORTANTE : debe usar un directorio que esté fuera de las páginas web (por lo tanto, no use un subdirectorio del parámetro anterior). +DirectoryRecommendation= IMPORTANTE : debe usar un directorio que esté fuera de las páginas web (por lo tanto, no use un subdirectorio del parámetro anterior). LoginAlreadyExists=Ya existe DolibarrAdminLogin=Login del usuario administrador de Dolibarr AdminLoginAlreadyExists=La cuenta de administrador Dolibarr '%s' ya existe. Vuelva atrás si desea crear otra. diff --git a/htdocs/langs/es_ES/interventions.lang b/htdocs/langs/es_ES/interventions.lang index b2e1eb7e66f..3a655b6a95e 100644 --- a/htdocs/langs/es_ES/interventions.lang +++ b/htdocs/langs/es_ES/interventions.lang @@ -64,3 +64,5 @@ 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 +Reopen=Reabrir +ConfirmReopenIntervention=¿Está seguro de querer volver a abrir la intervención %s ? diff --git a/htdocs/langs/es_ES/intracommreport.lang b/htdocs/langs/es_ES/intracommreport.lang index fe40fe3e14d..5e0a87e64ee 100644 --- a/htdocs/langs/es_ES/intracommreport.lang +++ b/htdocs/langs/es_ES/intracommreport.lang @@ -1,5 +1,5 @@ Module68000Name = Informe intracomunitario -Module68000Desc = Gestión de informes intracomm (soporte para formato francés DEB / DES) +Module68000Desc = Gestión de informe intracomunitario (soporte para formato francés DEB / DES) IntracommReportSetup = Configuración del módulo de intracommreport IntracommReportAbout = Acerca de intracommreport diff --git a/htdocs/langs/es_ES/loan.lang b/htdocs/langs/es_ES/loan.lang index 6d864af06fd..45cadda49d5 100644 --- a/htdocs/langs/es_ES/loan.lang +++ b/htdocs/langs/es_ES/loan.lang @@ -23,9 +23,9 @@ AddLoan=Crear crédito FinancialCommitment=Prestamo InterestAmount=Interés CapitalRemain=Capital restante -TermPaidAllreadyPaid = This term is allready paid -CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started -CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule +TermPaidAllreadyPaid = Este plazo ya está pagado +CantUseScheduleWithLoanStartedToPaid = No se puede usar el programador para un préstamo con el pago iniciado +CantModifyInterestIfScheduleIsUsed = No puede modificar el interés si usa el programador # Admin ConfigLoan=Configuración del módulo préstamos LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Cuenta contable por defecto para el capital diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index 72cba6b3d41..4c6a02e669f 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -92,7 +92,7 @@ MailingModuleDescEmailsFromUser=E-mails enviados por usuario MailingModuleDescDolibarrUsers=Usuarios con e-mails MailingModuleDescThirdPartiesByCategories=Terceros (por categoría) SendingFromWebInterfaceIsNotAllowed=El envío desde la interfaz web no está permitido. -EmailCollectorFilterDesc=Todos los filtros deben coincidir para que se recopile un correo electrónico +EmailCollectorFilterDesc=Todos los filtros deben coincidir para que se recopile un e-mail # Libelle des modules de liste de destinataires mailing LineInFile=Línea %s en archivo @@ -127,12 +127,12 @@ NoEmailSentBadSenderOrRecipientEmail=No se ha enviado el e-mail. El remitente o # Module Notifications Notifications=Notificaciones NotificationsAuto=Notificaciones automáticas. -NoNotificationsWillBeSent=No se planean notificaciones automáticas por correo electrónico para este tipo de evento y empresa. -ANotificationsWillBeSent=Se enviará 1 notificación automática por correo electrónico -SomeNotificationsWillBeSent=%s se enviarán notificaciones automáticas por correo electrónico -AddNewNotification=Suscríbase a una nueva notificación automática por correo electrónico (destinatario/evento) -ListOfActiveNotifications=Lista de todas las suscripciones activas (destinatarios/eventos) para la notificación automática por correo electrónico -ListOfNotificationsDone=Lista de todas las notificaciones automáticas enviadas por correo electrónico +NoNotificationsWillBeSent=No se planean notificaciones automáticas por e-mail para este tipo de evento y empresa. +ANotificationsWillBeSent=Se enviará 1 notificación automática por e-mail +SomeNotificationsWillBeSent=%s se enviarán notificaciones automáticas por e-mail +AddNewNotification=Suscríbase a una nueva notificación automática por e-mail (destinatario/evento) +ListOfActiveNotifications=Lista de todas las suscripciones activas (destinatarios/eventos) para la notificación automática por e-mail +ListOfNotificationsDone=Lista de todas las notificaciones automáticas enviadas por e-mail MailSendSetupIs=La configuración de e-mailings está a '%s'. Este modo no puede ser usado para enviar e-mails masivos. MailSendSetupIs2=Antes debe, con una cuenta de administrador, en el menú %sInicio - Configuración - E-Mails%s, cambiar el parámetro '%s' para usar el modo '%s'. Con este modo puede configurar un servidor SMTP de su proveedor de servicios de internet. MailSendSetupIs3=Si tiene preguntas de como configurar su servidor SMTP, puede contactar con %s. @@ -164,14 +164,14 @@ AdvTgtCreateFilter=Crear filtro AdvTgtOrCreateNewFilter=Nombre del nuevo filtro NoContactWithCategoryFound=No se han encontrado contactos/direcciones con alguna categoría NoContactLinkedToThirdpartieWithCategoryFound=No se han encontrado contactos/direcciones con alguna categoría -OutGoingEmailSetup=Correos electrónicos salientes -InGoingEmailSetup=Correos electrónicos entrantes -OutGoingEmailSetupForEmailing=Correos electrónicos salientes (para el módulo %s) -DefaultOutgoingEmailSetup=Misma configuración que la configuración global de correo electrónico saliente +OutGoingEmailSetup=E-mails salientes +InGoingEmailSetup=E-mails entrantes +OutGoingEmailSetupForEmailing=E-mails salientes (para el módulo %s) +DefaultOutgoingEmailSetup=Misma configuración que la configuración global de e-mail saliente Information=Información ContactsWithThirdpartyFilter=Contactos con filtro de terceros. Unanswered=Sin respuesta Answered=Contestado IsNotAnAnswer=No responde (e-mail inicial) IsAnAnswer=Es una respuesta de un e-mail inicial. -RecordCreatedByEmailCollector=Registro creado por el Recopilador de Correo Electrónico %s del correo electrónico %s +RecordCreatedByEmailCollector=Registro creado por el Recopilador de E-Mails %s del e-mail %s diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index 4270fb44a93..51efd96db3a 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -179,7 +179,7 @@ SaveAndStay=Guardar y permanecer SaveAndNew=Guardar y nuevo TestConnection=Probar la conexión ToClone=Copiar -ConfirmCloneAsk=¿Estás seguro de que quieres clonar el objeto %s? +ConfirmCloneAsk=¿Está seguro de que quieres clonar el objeto %s? ConfirmClone=Seleccione los datos que desea copiar: NoCloneOptionsSpecified=No hay datos definidos para copiar Of=de @@ -1104,7 +1104,7 @@ MODIFYInDolibarr=Registro %s modificado DELETEInDolibarr=Registro %s eliminado VALIDATEInDolibarr=Registro %s validado APPROVEDInDolibarr=Registro %s aprobado -DefaultMailModel=Model de email por defecto +DefaultMailModel=Modelo de email por defecto PublicVendorName=Nombre público del proveedor DateOfBirth=Fecha de nacimiento SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=El token de seguridad ha expirado, así que la acción ha sido cancelada. Por favor, vuelve a intentarlo. @@ -1115,5 +1115,5 @@ UpdateForAllLines=Actualización para todas las líneas OnHold=En espera AffectTag=Afectar etiqueta ConfirmAffectTag=Afectar etiquetas masivas -ConfirmAffectTagQuestion=¿Está seguro de que desea afectar las etiquetas a los %s registros seleccionados? +ConfirmAffectTagQuestion=¿Está seguro de que desea asignar las etiquetas a los %s registros seleccionados? CategTypeNotFound=No se encontró ningún tipo de etiqueta para el tipo de registros diff --git a/htdocs/langs/es_ES/members.lang b/htdocs/langs/es_ES/members.lang index abe80887b89..726d56b3bb8 100644 --- a/htdocs/langs/es_ES/members.lang +++ b/htdocs/langs/es_ES/members.lang @@ -19,8 +19,8 @@ MembersCards=Carnés de miembros MembersList=Listado de miembros MembersListToValid=Listado de miembros borrador (a validar) MembersListValid=Listado de miembros validados -MembersListUpToDate=Lista de miembros válidos con suscripción actualizada -MembersListNotUpToDate=Lista de miembros válidos con suscripción desactualizada +MembersListUpToDate=Listado de miembros válidos con suscripción actualizada +MembersListNotUpToDate=Listado de miembros válidos con suscripción caducada MembersListResiliated=Listado de los miembros dados de baja MembersListQualified=Listado de los miembros cualificados MenuMembersToValidate=Miembros borrador diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index c04311b0c80..7f8008aa4cd 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -84,7 +84,7 @@ ListOfDictionariesEntries=Listado de entradas de diccionarios ListOfPermissionsDefined=Listado de permisos definidos SeeExamples=Vea ejemplos aquí EnabledDesc=Condición para tener este campo activo (Ejemplos: 1 o $conf->global->MYMODULE_MYOPTION) -VisibleDesc=¿Es 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) +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) diff --git a/htdocs/langs/es_ES/multicurrency.lang b/htdocs/langs/es_ES/multicurrency.lang index 858b5a9a695..976d9b08fd8 100644 --- a/htdocs/langs/es_ES/multicurrency.lang +++ b/htdocs/langs/es_ES/multicurrency.lang @@ -20,8 +20,8 @@ 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 -TabTitleMulticurrencyRate=Lista de tarifas -ListCurrencyRate=Lista de tipos de cambio de la moneda +TabTitleMulticurrencyRate=Listado de tarifas +ListCurrencyRate=Listado de tipos de cambio de la moneda CreateRate=Crea una tarifa FormCreateRate=Tasa de creación FormUpdateRate=Modificación de tarifas diff --git a/htdocs/langs/es_ES/orders.lang b/htdocs/langs/es_ES/orders.lang index 12b15246da7..14aa5ba7ccc 100644 --- a/htdocs/langs/es_ES/orders.lang +++ b/htdocs/langs/es_ES/orders.lang @@ -141,11 +141,12 @@ OrderByEMail=Correo OrderByWWW=En línea OrderByPhone=Teléfono # Documents models -PDFEinsteinDescription=Una plantilla de orden completo -PDFEratostheneDescription=Una plantilla de orden completa +PDFEinsteinDescription=Un modelo de pedido completo (implementación anterior de la plantilla Eratosthene) +PDFEratostheneDescription=Un modelo de pedido completo PDFEdisonDescription=Modelo de pedido simple -PDFProformaDescription=Una plantilla de factura Proforma completa +PDFProformaDescription=Un modelo de factura Proforma completo CreateInvoiceForThisCustomer=Facturar pedidos +CreateInvoiceForThisSupplier=Facturar pedidos NoOrdersToInvoice=Sin pedidos facturables CloseProcessedOrdersAutomatically=Clasificar automáticamente como "Procesados" los pedidos seleccionados. OrderCreation=Creación pedido diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index d3ac9bf9d1d..0e4f2c2c4e6 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Informe de gastos validado (se requiere aprobaci Notify_EXPENSE_REPORT_APPROVE=Informe de gastos aprobado Notify_HOLIDAY_VALIDATE=Petición días libres validada (se requiere aprobación) Notify_HOLIDAY_APPROVE=Petición días libres aprobada +Notify_ACTION_CREATE=Acción agregada a la agenda SeeModuleSetup=Vea la configuración del módulo %s NbOfAttachedFiles=Número archivos/documentos adjuntos TotalSizeOfAttachedFiles=Tamaño total de los archivos/documentos adjuntos @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=El informe de gastos %s ha sido validado. EMailTextExpenseReportApproved=El informe de gastos %s ha sido aprobado. EMailTextHolidayValidated=La petición de lías libres %s ha sido validada. EMailTextHolidayApproved=La petición de lías libres %s ha sido aprobada. +EMailTextActionAdded=La acción %s se ha agregado a la Agenda. ImportedWithSet=Lote de importación (import key) DolibarrNotification=Notificación automática ResizeDesc=Introduzca el nuevo ancho O la nueva altura. La relación se conserva al cambiar el tamaño ... diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index 8ad0604428e..6511c425686 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Complete con las fechas de la última línea de servici MultiPricesAbility=Varios segmentos de precios por producto/servicio (cada cliente está en un segmento) MultiPricesNumPrices=Nº de precios DefaultPriceType=Base de precios por defecto (con versus sin impuestos) al agregar nuevos precios de venta -AssociatedProductsAbility=Habilitar kits (conjunto de otros productos) +AssociatedProductsAbility=Habilitar kits (conjunto de varios productos) VariantsAbility=Habilitar variantes (variaciones de productos, por ejemplo, color, tamaño) AssociatedProducts=Kits AssociatedProductsNumber=Número de productos que componen este kit @@ -121,8 +121,8 @@ CategoryFilter=Filtro por categoría ProductToAddSearch=Buscar productos a adjuntar NoMatchFound=No se han encontrado resultados ListOfProductsServices=Listado de productos/servicios -ProductAssociationList=Lista de productos / servicios que son componentes de este kit -ProductParentList=Lista de kits con este producto como componente +ProductAssociationList=Listado de productos/servicios que son componentes de este kit +ProductParentList=Listado de kits con este producto como componente ErrorAssociationIsFatherOfThis=Uno de los productos seleccionados es padre del producto en curso DeleteProduct=Eliminar un producto/servicio ConfirmDeleteProduct=¿Está seguro de querer eliminar este producto/servicio? @@ -168,10 +168,10 @@ BuyingPrices=Precios de compra CustomerPrices=Precios a clientes SuppliersPrices=Precios de proveedores SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicios) -CustomCode=Aduanas | Producto | Código HS +CustomCode=Aduanas|Producto|Código HS CountryOrigin=País de origen RegionStateOrigin=Región de origen -StateOrigin=Estado | Provincia de origen +StateOrigin=Estado|Provincia de origen Nature=Naturaleza del producto (materia prima/producto acabado) NatureOfProductShort=Naturaleza del producto NatureOfProductDesc=Materia prima o producto terminado diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index 2adccf038e2..31513b0cd20 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -7,7 +7,7 @@ ProjectsArea=Área Proyectos ProjectStatus=Estado del proyecto SharedProject=Proyecto compartido PrivateProject=Contactos proyecto -ProjectsImContactFor=Projects for which I am explicitly a contact +ProjectsImContactFor=Proyectos de los que soy contacto explícito AllAllowedProjects=Todos los proyectos que puedo leer (míos + públicos) AllProjects=Todos los proyectos MyProjectsDesc=Esta vista está limitada a aquellos proyectos en los que usted es un contacto @@ -76,15 +76,16 @@ MyActivities=Mis tareas/actividades MyProjects=Mis proyectos MyProjectsArea=Mi Área de proyectos DurationEffective=Duración efectiva -ProgressDeclared=Progresión declarada +ProgressDeclared=Progreso real declarado TaskProgressSummary=Progreso de la tarea CurentlyOpenedTasks=Tareas actualmente abiertas -TheReportedProgressIsLessThanTheCalculatedProgressionByX=El progreso declarado es menos de %s de la progresión calculada -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=El progreso declarado es más de %s que la progresión calculada -ProgressCalculated=Progresión calculada +TheReportedProgressIsLessThanTheCalculatedProgressionByX=El progreso real declarado es menor %s que el progreso en el consumo +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=El progreso real declarado es más %s que el progreso en el consumo +ProgressCalculated=Avances en el consumo WhichIamLinkedTo=que estoy vinculado a WhichIamLinkedToProject=que estoy vinculado al proyecto Time=Tiempo +TimeConsumed=Consumido ListOfTasks=Listado de tareas GoToListOfTimeConsumed=Ir al listado de tiempos consumidos GanttView=Vista de Gantt @@ -163,7 +164,7 @@ OpportunityProbabilityShort=Prob. Opor. OpportunityAmount=Importe oportunidad OpportunityAmountShort=Importe oportunidad OpportunityWeightedAmount=Cantidad ponderada de oportunidad -OpportunityWeightedAmountShort=Opp. cantidad ponderada +OpportunityWeightedAmountShort=Cantidad ponderada op. OpportunityAmountAverageShort=Importe medio oportunidad OpportunityAmountWeigthedShort=Importe ponderado oportunidad WonLostExcluded=Excluidos Ganados/Perdidos @@ -211,9 +212,9 @@ ProjectNbProjectByMonth=Nº de proyectos creados por mes ProjectNbTaskByMonth=Nº de tareas creadas por mes ProjectOppAmountOfProjectsByMonth=Importe de oportunidades por mes ProjectWeightedOppAmountOfProjectsByMonth=Importe medio oportinidades por mes -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=Proyecto abierto|Oportunidad por estado de lead +ProjectsStatistics=Estadísticas de proyectos o leads +TasksStatistics=Estadísticas sobre tareas de proyectos o leads TaskAssignedToEnterTime=Tarea asignada. Debería poder introducir tiempos en esta tarea. IdTaskTime=Id YouCanCompleteRef=Si desea completar la referencia con alguna información (para usarlo como filtros de búsqueda), se recomienda añadir un carácter - para separarlo, la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-ABC. @@ -266,4 +267,4 @@ NewInvoice=Nueva factura OneLinePerTask=Una línea por tarea OneLinePerPeriod=Una línea por período RefTaskParent=Ref. Tarea principal -ProfitIsCalculatedWith=Profit is calculated using +ProfitIsCalculatedWith=El beneficio se calcula usando diff --git a/htdocs/langs/es_ES/propal.lang b/htdocs/langs/es_ES/propal.lang index 37119bea66f..b0d6536d10d 100644 --- a/htdocs/langs/es_ES/propal.lang +++ b/htdocs/langs/es_ES/propal.lang @@ -47,7 +47,6 @@ SendPropalByMail=Enviar presupuesto por e-mail DatePropal=Fecha presupuesto DateEndPropal=Fecha fin de validez ValidityDuration=Duración de validez -CloseAs=Establecer estado a SetAcceptedRefused=Establecer aceptado/rechazado ErrorPropalNotFound=Presupuesto %s inexistente AddToDraftProposals=Añadir a presupuesto borrador @@ -76,12 +75,17 @@ TypeContact_propal_external_BILLING=Contacto cliente de facturación presupuesto TypeContact_propal_external_CUSTOMER=Contacto cliente seguimiento presupuesto TypeContact_propal_external_SHIPPING=Contacto cliente para envíos # Document models -DocModelAzurDescription=Una plantilla de propuesta completa (implementación anterior de la plantilla Cyan) -DocModelCyanDescription=Una plantilla de propuesta completa +DocModelAzurDescription=Un modelo de presupuesto completa (implementación anterior de la plantilla Cyan) +DocModelCyanDescription=Un modelo de presupuesto completo DefaultModelPropalCreate=Modelo por defecto DefaultModelPropalToBill=Modelo por defecto al cerrar un presupuesto (a facturar) DefaultModelPropalClosed=Modelo por defecto al cerrar un presupuesto (no facturado) ProposalCustomerSignature=Aceptación por escrito, sello de la empresa, fecha y firma ProposalsStatisticsSuppliers=Estadísticas presupuestos de proveedores CaseFollowedBy=Caso seguido por -SignedOnly=Signed only +SignedOnly=Solo firmado +IdProposal=ID de Presupuesto +IdProduct=ID del Producto +PrParentLine=Presupuesto de línea principal +LineBuyPriceHT=Precio de compra Importe neto de impuestos por línea + diff --git a/htdocs/langs/es_ES/receiptprinter.lang b/htdocs/langs/es_ES/receiptprinter.lang index b14d6f8d5ec..1908b68dc31 100644 --- a/htdocs/langs/es_ES/receiptprinter.lang +++ b/htdocs/langs/es_ES/receiptprinter.lang @@ -54,7 +54,7 @@ DOL_DOUBLE_WIDTH=Tamaño de doble ancho DOL_DEFAULT_HEIGHT_WIDTH=Altura y ancho predeterminados DOL_UNDERLINE=Habilitar subrayado DOL_UNDERLINE_DISABLED=Desactivar subrayado -DOL_BEEP=Sonido beep +DOL_BEEP=Pitido DOL_PRINT_TEXT=Imprimir texto DateInvoiceWithTime=Fecha y hora de factura YearInvoice=Año de factura @@ -77,6 +77,6 @@ DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo de cuenta del cliente DOL_VALUE_MYSOC_NAME=Nombre de la empresa VendorLastname=Apellidos del vendedor VendorFirstname=Nombre del vendedor -VendorEmail=Vendor email +VendorEmail=E-mail del proveedor 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 7fe1143884d..72efe825bb6 100644 --- a/htdocs/langs/es_ES/receptions.lang +++ b/htdocs/langs/es_ES/receptions.lang @@ -43,5 +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 +NoMorePredefinedProductToDispatch=No hay más productos predefinidos para enviar diff --git a/htdocs/langs/es_ES/sendings.lang b/htdocs/langs/es_ES/sendings.lang index f531fbacb46..f45396f7142 100644 --- a/htdocs/langs/es_ES/sendings.lang +++ b/htdocs/langs/es_ES/sendings.lang @@ -66,7 +66,7 @@ ValidateOrderFirstBeforeShipment=Antes de poder realizar envíos debe validar el # Sending methods # ModelDocument DocumentModelTyphon=Modelo completo de nota de entrega / recepción (logo...) -DocumentModelStorm=Modelo de documento más completo para recibos de entrega y compatibilidad de campos extra (logotipo ...) +DocumentModelStorm=Modelo de documento más completo para recibos de entrega y compatibilidad de campos adicionales (logotipo ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER no definida SumOfProductVolumes=Suma del volumen de los productos SumOfProductWeights=Suma del peso de los productos diff --git a/htdocs/langs/es_ES/stripe.lang b/htdocs/langs/es_ES/stripe.lang index 14579cc11a6..cf8d22d6a15 100644 --- a/htdocs/langs/es_ES/stripe.lang +++ b/htdocs/langs/es_ES/stripe.lang @@ -28,7 +28,6 @@ AccountParameter=Parámetros de la cuenta UsageParameter=Parámetros de uso InformationToFindParameters=Información para encontrar a su configuración de cuenta %s STRIPE_CGI_URL_V2=URL CGI del módulo Stripe para el pago -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 diff --git a/htdocs/langs/es_ES/supplier_proposal.lang b/htdocs/langs/es_ES/supplier_proposal.lang index 14c74f9721c..4fea43e5c77 100644 --- a/htdocs/langs/es_ES/supplier_proposal.lang +++ b/htdocs/langs/es_ES/supplier_proposal.lang @@ -13,6 +13,7 @@ SupplierProposalArea=Área presupuestos de proveedores SupplierProposalShort=Presupuesto de proveedor SupplierProposals=Presupuestos de proveedor SupplierProposalsShort=Presupuestos de proveedor +AskPrice=Presupuesto NewAskPrice=Nuevo presupuesto ShowSupplierProposal=Mostrar presupuesto AddSupplierProposal=Crear un presupuesto diff --git a/htdocs/langs/es_ES/suppliers.lang b/htdocs/langs/es_ES/suppliers.lang index 17b9bc3a831..d66117c0ab4 100644 --- a/htdocs/langs/es_ES/suppliers.lang +++ b/htdocs/langs/es_ES/suppliers.lang @@ -38,7 +38,7 @@ MenuOrdersSupplierToBill=Pedidos a proveedor a facturar NbDaysToDelivery=Tiempo de entrega en días DescNbDaysToDelivery=El mayor retraso en las entregas de productos de este pedido SupplierReputation=Reputación del proveedor -ReferenceReputation=Reference reputation +ReferenceReputation=Referencias de reputación DoNotOrderThisProductToThisSupplier=No realizar pedidos NotTheGoodQualitySupplier=Mala calidad ReputationForThisProduct=Reputación diff --git a/htdocs/langs/es_ES/trips.lang b/htdocs/langs/es_ES/trips.lang index 9a5520922fe..af2e038dd94 100644 --- a/htdocs/langs/es_ES/trips.lang +++ b/htdocs/langs/es_ES/trips.lang @@ -110,7 +110,7 @@ ExpenseReportPayment=Informe de pagos de gastos ExpenseReportsToApprove=Informe de gastos a aprobar ExpenseReportsToPay=Informe de gastos a pagar ConfirmCloneExpenseReport=¿Está seguro de querer eliminar este informe de gastos? -ExpenseReportsIk=Índice de kilometraje de informes de gastos +ExpenseReportsIk=Configuración de cargos por kilometraje ExpenseReportsRules=Reglas del informe de gastos ExpenseReportIkDesc=Se puede modificar el cálculo de los kilómetros de gasto por categoría y por rango que se definen previamente. d es la distancia en kilómetros ExpenseReportRulesDesc=Puede crear o actualizar cualquier regla de cálculo. Esta parte se utilizará cuando el usuario cree un nuevo informe de gastos @@ -145,7 +145,7 @@ nolimitbyEX_DAY=por día (sin limitación) nolimitbyEX_MON=por mes (sin limitación) nolimitbyEX_YEA=por año (sin limitación) nolimitbyEX_EXP=por línea (sin limitación) -CarCategory=Categoría del coche +CarCategory=Categoría de vehículo ExpenseRangeOffset=Importe compensado: %s RangeIk=Rango de kilometraje AttachTheNewLineToTheDocument=Adjuntar la línea a un documento subido diff --git a/htdocs/langs/es_ES/users.lang b/htdocs/langs/es_ES/users.lang index 900c65e6201..bfc709a9e2f 100644 --- a/htdocs/langs/es_ES/users.lang +++ b/htdocs/langs/es_ES/users.lang @@ -46,6 +46,8 @@ RemoveFromGroup=Eliminar del grupo PasswordChangedAndSentTo=Contraseña cambiada y enviada a %s. PasswordChangeRequest=Solicitud para cambiar la contraseña de %s PasswordChangeRequestSent=Petición de cambio de contraseña para %s enviada a %s. +IfLoginExistPasswordRequestSent=Si este inicio de sesión es una cuenta válida, se ha enviado un e-mail para restablecer la contraseña. +IfEmailExistPasswordRequestSent=Si este correo electrónico es una cuenta válida, se ha enviado un correo electrónico para restablecer la contraseña. ConfirmPasswordReset=Confirmar restablecimiento de contraseña MenuUsersAndGroups=Usuarios y grupos LastGroupsCreated=Últimos %s grupos creados @@ -73,6 +75,7 @@ CreateInternalUserDesc=Este formulario le permite crear un usuario interno para 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 +UserWillBe=El usuario creado será UserWillBeInternalUser=El usuario creado será un usuario interno (ya que no está ligado a un tercero en particular) UserWillBeExternalUser=El usuario creado será un usuario externo (ya que está ligado a un tercero en particular) IdPhoneCaller=ID llamante (teléfono) @@ -108,13 +111,15 @@ DisabledInMonoUserMode=Desactivado en modo mantenimiento UserAccountancyCode=Código contable usuario UserLogoff=Usuario desconectado UserLogged=Usuario conectado -DateOfEmployment=Employment date -DateEmployment=Fecha de inicio de empleo +DateOfEmployment=Fecha empleo +DateEmployment=Empleo +DateEmploymentstart=Fecha de inicio de empleo DateEmploymentEnd=Fecha de finalización de empleo +RangeOfLoginValidity=Rango de fechas de validez de inicio de sesión 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=Email personal UserPersonalMobile=Teléfono móvil personal -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s +WarningNotLangOfInterface=Atención, este es el idioma principal que habla el usuario, no el idioma del entorno que eligió ver. Para cambiar el idioma del entorno visible por este usuario, vaya a la pestaña %s diff --git a/htdocs/langs/es_ES/workflow.lang b/htdocs/langs/es_ES/workflow.lang index b5f9ba0ffd8..b807a033367 100644 --- a/htdocs/langs/es_ES/workflow.lang +++ b/htdocs/langs/es_ES/workflow.lang @@ -16,8 +16,8 @@ descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar automáticamente el pedi # Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar automáticamente el presupuestos de proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total del presupuesto) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar automáticamente el pedido a proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total del pedido enlazado) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_BILL_ON_RECEPTION=Clasificar las recepciones como "facturadas" cuando se valida un pedido de proveedor vinculado # Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Cerrar todas las intervenciones vinculadas al ticket cuando se cierra un ticket AutomaticCreation=Creación automática AutomaticClassification=Clasificación automática diff --git a/htdocs/langs/es_ES/zapier.lang b/htdocs/langs/es_ES/zapier.lang index 0a2286c8401..cc63194a91e 100644 --- a/htdocs/langs/es_ES/zapier.lang +++ b/htdocs/langs/es_ES/zapier.lang @@ -26,4 +26,4 @@ ModuleZapierForDolibarrDesc = Zapier para el módulo Dolibarr # Admin page # ZapierForDolibarrSetup = Configuración de Zapier para Dolibarr -ZapierDescription=Interface with Zapier +ZapierDescription=Interfaz con Zapier diff --git a/htdocs/langs/es_GT/admin.lang b/htdocs/langs/es_GT/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_GT/admin.lang +++ b/htdocs/langs/es_GT/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_GT/boxes.lang b/htdocs/langs/es_GT/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_GT/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_GT/products.lang b/htdocs/langs/es_GT/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_GT/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_HN/admin.lang b/htdocs/langs/es_HN/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_HN/admin.lang +++ b/htdocs/langs/es_HN/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_HN/boxes.lang b/htdocs/langs/es_HN/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_HN/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_HN/products.lang b/htdocs/langs/es_HN/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_HN/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang index 0b3f888ace9..bbd4ca9bcf3 100644 --- a/htdocs/langs/es_MX/admin.lang +++ b/htdocs/langs/es_MX/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin VersionProgram=Versión del programa VersionLastInstall=Instalar la versión inicial -VersionLastUpgrade=Actualizar a la Versión mâs reciente +VersionLastUpgrade=Actualizar a la versión más reciente FileCheck=Comprobación de integridad del conjunto de archivos FileCheckDesc=Esta herramienta te permite comprobar la integridad de los archivos y la configuración de tu aplicación, comparando cada archivo con el archivo oficial. El valor de algunas constantes de la configuración también podria ser comprobado. Tu puedes usar esta herramienta para determinar si cualquiera de los archivos a sido modificado (ejem. por un hacker). FileIntegrityIsStrictlyConformedWithReference=La integridad de los archivos está estrictamente conformada con la referencia. @@ -20,11 +20,11 @@ SessionSavePath=Ubicación para guardar la sesión PurgeSessions=Depuración de sesiones ConfirmPurgeSessions=¿Realmente desea depurar todas las sesiónes? Esto desconectara a todos los usuarios (excepto usted). NoSessionListWithThisHandler=El gestor para guardar la sesión configurado en tu PHP no permite enumerar todas las sesiones que se estan ejecutando. -ConfirmLockNewSessions=¿Estas seguro de querer restringir cualquier nueva conexión Dolibarr? Unicamente el usuario %s podra conectarse posteriormente. +ConfirmLockNewSessions=¿Estás seguro de querer restringir cualquier nueva conexión a Dolibarr? Únicamente el usuario %s podrá conectarse posteriormente. UnlockNewSessions=Remover bloqueo de conexión YourSession=Tu sesión WebUserGroup=Usuario/Grupo del servidor web -NoSessionFound=La configuración de tu PHP parece no permitir listar las sesiones activas. El directorio usado para guardar las sesiones (%s) podria estar protegido (Por ejemplo, por permisos del SO o por la directiva PHP open_basedir). +NoSessionFound=Tu configuración PHP no parece permitir listar sesiones activas. El directorio usado para guardar sesiones (%s) podría estar protegido (Por ejemplo, por permisos del SO o por la directiva PHP open_basedir). DBStoringCharset=Charset de la base de datos para almacenar información DBSortingCharset=Charset de la base de datos para clasificar información ClientCharset=Conjunto de caracteres del cliente @@ -227,7 +227,9 @@ Module40Name=Vendedores DictionaryAccountancyJournal=Diarios de contabilidad DictionarySocialNetworks=Redes Sociales Upgrade=Actualizar +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. LDAPFieldFirstName=Nombre(s) +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en la vista de agenda ConfFileMustContainCustom=Instalar o construir un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s . Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva: $dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; MailToSendProposal=Propuestas de clientes diff --git a/htdocs/langs/es_MX/bills.lang b/htdocs/langs/es_MX/bills.lang index 2eca7855931..4ea66beab2f 100644 --- a/htdocs/langs/es_MX/bills.lang +++ b/htdocs/langs/es_MX/bills.lang @@ -42,6 +42,8 @@ CustomerBillsUnpaid=Facturas de clientes no pagadas Billed=Facturada CreditNote=Nota de crédito ReasonDiscount=Razón +PaymentConditionShortPT_ORDER=Pedido PaymentTypeCB=Tarjeta de crédito PaymentTypeShortCB=Tarjeta de crédito +PayedByThisPayment=Liquidado en este pago situationInvoiceShortcode_S=D diff --git a/htdocs/langs/es_MX/products.lang b/htdocs/langs/es_MX/products.lang index 8ade985e293..af9eb0e2ac2 100644 --- a/htdocs/langs/es_MX/products.lang +++ b/htdocs/langs/es_MX/products.lang @@ -5,6 +5,7 @@ ErrorProductBadRefOrLabel=Valor incorrecto para referencia o etiqueta. ProductsAndServicesArea=Área de productos y servicios ProductsArea=Área de producto SetDefaultBarcodeType=Establecer el tipo de código de barras +AssociatedProductsAbility=Enable Kits (set of several products) KeywordFilter=Filtro de palabras clave NoMatchFound=No se encontraron coincidencias DeleteProduct=Eliminar un producto / servicio diff --git a/htdocs/langs/es_MX/receptions.lang b/htdocs/langs/es_MX/receptions.lang index 0356d61254c..55b566fd826 100644 --- a/htdocs/langs/es_MX/receptions.lang +++ b/htdocs/langs/es_MX/receptions.lang @@ -1,2 +1,5 @@ # Dolibarr language file - Source file is en_US - receptions StatusReceptionCanceled=Cancelado +StatusReceptionProcessed=Procesada +StatusReceptionProcessedShort=Procesada +NoMorePredefinedProductToDispatch=No hay más productos solicitados pendientes por recibir diff --git a/htdocs/langs/es_PA/admin.lang b/htdocs/langs/es_PA/admin.lang index f0c05a924c9..6f2290a334f 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 +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PA/boxes.lang b/htdocs/langs/es_PA/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_PA/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_PA/products.lang b/htdocs/langs/es_PA/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_PA/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang index 6ab8ad59b97..1ef2449de0c 100644 --- a/htdocs/langs/es_PE/admin.lang +++ b/htdocs/langs/es_PE/admin.lang @@ -7,6 +7,8 @@ Permission92=Crear/modificar impuestos e IGV Permission93=Eliminar impuestos e IGV DictionaryVAT=Tasa de IGV o tasa de impuesto a las ventas UnitPriceOfProduct=Precio unitario sin IGV de un producto +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OptionVatMode=IGV adeudado MailToSendInvoice=Facturas de Clientes OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/es_PE/boxes.lang b/htdocs/langs/es_PE/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_PE/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_PE/products.lang b/htdocs/langs/es_PE/products.lang index d29e3ce3677..59238285ddf 100644 --- a/htdocs/langs/es_PE/products.lang +++ b/htdocs/langs/es_PE/products.lang @@ -3,4 +3,5 @@ ProductRef=Ref. de producto ProductLabel=Etiqueta del producto ProductServiceCard=Ficha Productos/Servicios ProductOrService=Producto o Servicio +AssociatedProductsAbility=Enable Kits (set of several products) ExportDataset_produit_1=Productos diff --git a/htdocs/langs/es_PY/admin.lang b/htdocs/langs/es_PY/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_PY/admin.lang +++ b/htdocs/langs/es_PY/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PY/boxes.lang b/htdocs/langs/es_PY/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_PY/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_PY/products.lang b/htdocs/langs/es_PY/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_PY/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_US/admin.lang b/htdocs/langs/es_US/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_US/admin.lang +++ b/htdocs/langs/es_US/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_US/boxes.lang b/htdocs/langs/es_US/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_US/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_US/products.lang b/htdocs/langs/es_US/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_US/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_UY/admin.lang b/htdocs/langs/es_UY/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/es_UY/admin.lang +++ b/htdocs/langs/es_UY/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_UY/boxes.lang b/htdocs/langs/es_UY/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_UY/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_UY/products.lang b/htdocs/langs/es_UY/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/es_UY/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/es_VE/admin.lang b/htdocs/langs/es_VE/admin.lang index 74b465f966a..0ed75440ea2 100644 --- a/htdocs/langs/es_VE/admin.lang +++ b/htdocs/langs/es_VE/admin.lang @@ -21,6 +21,7 @@ ExtraFieldsSupplierInvoices=Atributos adicionales (facturas) ExtraFieldsProject=Atributos adicionales (proyectos) ExtraFieldsProjectTask=Atributos adicionales (tareas) ExtraFieldHasWrongValue=El atributo %s tiene un valor no válido +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. SupplierProposalSetup=Configuración del módulo Solicitudes a proveedor SupplierProposalNumberingModules=Modelos de numeración de solicitud de precios a proveedor SupplierProposalPDFModules=Modelos de documentos de solicitud de precios a proveedores @@ -29,5 +30,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) +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_VE/boxes.lang b/htdocs/langs/es_VE/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/es_VE/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/es_VE/products.lang b/htdocs/langs/es_VE/products.lang index 7c5fda8bea0..53eae0774e3 100644 --- a/htdocs/langs/es_VE/products.lang +++ b/htdocs/langs/es_VE/products.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - products TMenuProducts=Productos y servicios ProductStatusNotOnBuyShort=Fuera compra +AssociatedProductsAbility=Enable Kits (set of several products) PriceExpressionEditorHelp2=Puede acceder a los atributos adicionales con variables como #extrafield_myextrafieldkey# y variables globales con #global_mycode# diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index a65e94ed7bd..f9e9b8e1acb 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Teenuste mooduli seadistamine ProductServiceSetup=Toodete ja teenuste mooduli seadistamine NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Vaikimisi vöötkoodi tüüp toodetel diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index 40c748ce837..3183083b1aa 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Manusena lisatud faile/dokumente TotalSizeOfAttachedFiles=Manusena lisatud failide/dokumentide kogusuurus @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Andmekogu import DolibarrNotification=Automaatne teavitamine ResizeDesc=Sisesta uus laius VÕI uus kõrgus. Suuruse muutmise käigus säilitatakse kõrguse ja laiuse suhe... diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang index 1ae6f48c83c..8554d961291 100644 --- a/htdocs/langs/et_EE/products.lang +++ b/htdocs/langs/et_EE/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index d9f635dd8a5..c739c5c289f 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -76,15 +76,16 @@ MyActivities=Minu ülesanded/aktiivsused MyProjects=Minu projektid MyProjectsArea=My projects Area DurationEffective=Efektiivne kestus -ProgressDeclared=Deklareeritud progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Arvutatud progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Aeg +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index 2c22dcf86db..9b92fcfc3ef 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index 2f1a2c826fc..8b1593d5f6c 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang index 21585dbd228..0827f43bd6d 100644 --- a/htdocs/langs/eu_ES/products.lang +++ b/htdocs/langs/eu_ES/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang index 4ec830cce10..71a1ed5245a 100644 --- a/htdocs/langs/eu_ES/projects.lang +++ b/htdocs/langs/eu_ES/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 85ca56bff21..e7cf0662df4 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=برپاسازی واحد خدمات ProductServiceSetup=برپاسازی واحد محصولات و خدمات NumberOfProductShowInSelect=حداکثر تعداد قابل نمایش در فهرست ترکیبی انتخاب‌گر (0=بدون محدودیت) ViewProductDescInFormAbility=نمایش توضیحات محصول در برگه‌ها (در غیر این‌صورت طی یک‌نکتۀ در کادر کوچک توضیح نمایش داده خواهد شد) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=فعال‌سازی یک گزینه در محصول/خدمات زبانۀ فایل‌های پیوست برای ترکیب یک سند PDF به سند پیشنهاد در صورتی‌که محصول/خدمات در پیشنهاد وجود داشته باشد -ViewProductDescInThirdpartyLanguageAbility=نمایش توضیحات محصولات با زبان شخص‌سوم +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=در صورتی که شما تعداد بسیار زیادی محصول داشته باشید (>100000)، شما می‌توانید با استنفاده از تنظیم مقدار ثابت PRODUCT_DONOTSEARCH_ANYWHERE  به مقدار 1 در برپاسازی->سایر سرعت را افزایش دهید. جستجو در این حالت از شروع عبارت انجام خواهد شد. UseSearchToSelectProduct=قبل از این‌که شما کلیدی بفشارید محتوای محصول در فهرست ترکیبی بارگذاری نخواهد شد (در صورتی که شما تعداد زیادی محصول داشته باشید، این باعث افزایش کارآمدی خواهد شد، اما از راحتی کم‌تری برخوردار است) SetDefaultBarcodeTypeProducts=نوع بارکد پیش‌فرض برای استفادۀ محصولات diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index 23a5df065e7..a52e9a0dee7 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=تعداد فایل های پیوست / اسناد TotalSizeOfAttachedFiles=اندازه کل فایل های پیوست / اسناد @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=واردات مجموعه داده DolibarrNotification=اطلاع رسانی به صورت خودکار ResizeDesc=عرض جدید OR ارتفاع جدید را وارد کنید. نسبت در طول تغییر اندازه نگه داشته ... diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index 80b1542d055..ff7edf92df5 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=چند قسمت قیمتی در هر محصول/خدمات (هر مشتری در یک قسمت قیمتی است) MultiPricesNumPrices=تعداد قیمت‌ها DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index 4f56d44dcf4..ab3c12c4568 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -76,15 +76,16 @@ MyActivities=وظایف/فعالیت‌های من MyProjects=طرح‌های من MyProjectsArea=بخش طرح‌های مربوط به من DurationEffective=مدت‌زمان مفید -ProgressDeclared=پیشرفت اظهار شده +ProgressDeclared=Declared real progress 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 -ProgressCalculated=پیشرفت محاسبه شده +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=زمان +TimeConsumed=Consumed ListOfTasks=فهرست وظایف GoToListOfTimeConsumed=رجوع به فهرست زمان صرف شده GanttView=نمای گانت diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 676dbbf41e0..8bcf8d0f590 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services-moduuli asennus ProductServiceSetup=Tuotteet ja palvelut moduulien asennus NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Tuotteissa käytetty viivakoodin tyyppi diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index 0da9959a710..dac94e48845 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Numero liitettyjen tiedostojen / asiakirjat TotalSizeOfAttachedFiles=Kokonaiskoosta liitettyjen tiedostojen / asiakirjat @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Tuonti tietokokonaisuutta DolibarrNotification=Automaattinen ilmoitus ResizeDesc=Kirjoita uusi leveys tai uusien korkeus. Suhde pidetään ajan kokoa ... diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang index d9da0549768..ba1a344683f 100644 --- a/htdocs/langs/fi_FI/products.lang +++ b/htdocs/langs/fi_FI/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index 36d5e4a6d8b..3f9f197f844 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -76,15 +76,16 @@ MyActivities=Omat tehtävät / toiminnot MyProjects=Omat projektit MyProjectsArea=Omat projektit - alue DurationEffective=Todellisen kesto -ProgressDeclared=Julkaistu eteneminen +ProgressDeclared=Declared real progress TaskProgressSummary=Tehtien eteneminen CurentlyOpenedTasks=Avoimet tehtävät -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression -ProgressCalculated=Lasketut projektit +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Aika +TimeConsumed=Consumed ListOfTasks=Tehtävälista GoToListOfTimeConsumed=Go to list of time consumed GanttView=GANTT näkymä diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang index 5d24a311ccd..a575f88e317 100644 --- a/htdocs/langs/fr_BE/admin.lang +++ b/htdocs/langs/fr_BE/admin.lang @@ -16,6 +16,8 @@ FormToTestFileUploadForm=Formulaire pour tester l'upload de fichiers (selon la c IfModuleEnabled=Note: oui ne fonctionne que si le module %s est activé Module20Name=Propales Module30Name=Factures +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) Target=Objectif OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_BE/products.lang b/htdocs/langs/fr_BE/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/fr_BE/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index 0d38f03c9fa..473f37dd803 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -142,6 +142,7 @@ WarningAtLeastKeyOrTranslationRequired=Un critère de recherche est requis au mo NewTranslationStringToShow=Nouvelle chaîne de traduction à afficher OriginalValueWas=La traduction originale est écrasée. La valeur d'origine était:

%s SearchOptim=Optimization des recherches +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. PasswordGenerationPerso=Retour un mot de passe en fonction de votre configuration personnellement défini. PasswordPatternDesc=Description du modèle de mot de passe HRMSetup=Configuration du module de GRH @@ -163,6 +164,7 @@ LDAPFieldTitle=Poste DefaultSortOrder=Ordres de tri par défaut DefaultFocus=Champs de mise au point par défaut MergePropalProductCard=Activez dans le produit/service, l'option onglet de fichiers attachés pour fusionner le produit PDF le document à la proposition PDF azur si le produit/service est dans la proposition +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseUnits=Définir une unité de mesure pour la quantité lors de la commande, l'édition de la proposition ou les lignes de facture IsNotADir=n'est pas un répertoire BarcodeDescDATAMATRIX=Codebarre de type Datamatrix diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang index 181bb2e3175..c438e57c302 100644 --- a/htdocs/langs/fr_CA/products.lang +++ b/htdocs/langs/fr_CA/products.lang @@ -53,6 +53,7 @@ SetDefaultBarcodeType=Définir le type de code à barres BarcodeValue=Valeur du code à barres NoteNotVisibleOnBill=Note (non visible sur les factures, propositions ...) ServiceLimitedDuration=Si le produit est un service à durée limitée: +AssociatedProductsAbility=Enable Kits (set of several products) ParentProductsNumber=Nombre de produits d'emballage pour les parents ParentProducts=Produits parentaux KeywordFilter=Filtre à mots clés diff --git a/htdocs/langs/fr_CA/projects.lang b/htdocs/langs/fr_CA/projects.lang index d1497e026ec..edb3ebdf924 100644 --- a/htdocs/langs/fr_CA/projects.lang +++ b/htdocs/langs/fr_CA/projects.lang @@ -39,7 +39,6 @@ AddHereTimeSpentForDay=Ajouter ici le temps passé pour cette journée / tâche Activities=Tâches / activités MyActivities=Mes tâches / activités MyProjectsArea=Zone de mes projets -ProgressDeclared=Progrès déclaré ListOfTasks=Liste des tâches ListTaskTimeUserProject=Liste des temps consacrés aux tâches du projet ActivityOnProjectToday=Activité sur le projet aujourd'hui diff --git a/htdocs/langs/fr_CH/admin.lang b/htdocs/langs/fr_CH/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/fr_CH/admin.lang +++ b/htdocs/langs/fr_CH/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CH/boxes.lang b/htdocs/langs/fr_CH/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/fr_CH/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/fr_CH/products.lang b/htdocs/langs/fr_CH/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/fr_CH/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/fr_CI/admin.lang b/htdocs/langs/fr_CI/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/fr_CI/admin.lang +++ b/htdocs/langs/fr_CI/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CI/boxes.lang b/htdocs/langs/fr_CI/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/fr_CI/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/fr_CI/products.lang b/htdocs/langs/fr_CI/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/fr_CI/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/fr_CM/admin.lang b/htdocs/langs/fr_CM/admin.lang index c1d306ec390..ec2eb1bbd4e 100644 --- a/htdocs/langs/fr_CM/admin.lang +++ b/htdocs/langs/fr_CM/admin.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CM/boxes.lang b/htdocs/langs/fr_CM/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/fr_CM/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/fr_CM/products.lang b/htdocs/langs/fr_CM/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/fr_CM/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index b9fb4cc0d41..3023cd7216e 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -78,7 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Note de frais validée (approbation requise) Notify_EXPENSE_REPORT_APPROVE=Note de frais approuvé Notify_HOLIDAY_VALIDATE=Demande de congé validée (approbation requise) Notify_HOLIDAY_APPROVE=Demande de congé approuvée -Notify_ACTION_CREATE=Ajout d'action à l'agenda +Notify_ACTION_CREATE=Evénement ajouté à l'agenda SeeModuleSetup=Voir la configuration du module %s NbOfAttachedFiles=Nombre de fichiers/documents liés TotalSizeOfAttachedFiles=Taille totale fichiers/documents liés @@ -216,7 +216,7 @@ EMailTextExpenseReportValidated=La note de frais %s a été validée. EMailTextExpenseReportApproved=La note de frais %s a été approuvée. EMailTextHolidayValidated=La demande de congé %s a été validée. EMailTextHolidayApproved=La demande de congé %s a été approuvée. -EMailTextActionAdded=L'action %s a été ajoutée à l'Agenda. +EMailTextActionAdded=L'événement %s a été ajouté à l'agenda ImportedWithSet=Lot d'importation (Import key) DolibarrNotification=Notification automatique ResizeDesc=Entrer la nouvelle largeur OU la nouvelle hauteur. Le ratio d'aspect est conservé lors du redimensionnement… diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index 92ca1b00c0f..5610a674018 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Remplissez avec la date de la dernière ligne de servic MultiPricesAbility=Plusieurs niveaux de prix par produit/service (chaque client est dans un et un seul niveau) MultiPricesNumPrices=Nombre de prix DefaultPriceType=Base des prix par défaut (avec ou hors taxes) lors de l’ajout de nouveaux prix de vente -AssociatedProductsAbility=Activer les kits (ensemble d'autres produits) +AssociatedProductsAbility=Activer les kits (ensemble de plusieurs produits) VariantsAbility=Activer les variantes (variantes de produits, par exemple couleur, taille,...) AssociatedProducts=Kits AssociatedProductsNumber=Nombre de sous-produits constituant ce kit diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang index 3ffd43a0fbe..1affdad0889 100644 --- a/htdocs/langs/fr_FR/projects.lang +++ b/htdocs/langs/fr_FR/projects.lang @@ -76,15 +76,16 @@ MyActivities=Mes tâches/activités MyProjects=Mes projets MyProjectsArea=Espace Mes projets DurationEffective=Durée effective -ProgressDeclared=Progression déclarée +ProgressDeclared=Avancement réel déclaré TaskProgressSummary=Progression de tâche CurentlyOpenedTasks=Tâches actuellement ouvertes -TheReportedProgressIsLessThanTheCalculatedProgressionByX=La progression déclarée est inférieure à %s à la progression calculée. -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=La progression déclarée est plus %s que la progression calculée -ProgressCalculated=Progression calculée +TheReportedProgressIsLessThanTheCalculatedProgressionByX=L'avancement réel déclaré est %s moins important que l'avancement de la consommation +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=L'avancement réel déclaré est %splus important que l'avancement de la consommation +ProgressCalculated=Avancement sur consommation WhichIamLinkedTo=dont je suis contact WhichIamLinkedToProject=dont je suis contact de projet Time=Temps +TimeConsumed=Consommé ListOfTasks=Liste de tâches GoToListOfTimeConsumed=Aller à la liste des temps consommés GanttView=Vue Gantt @@ -256,7 +257,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=Suivez des tâches ou du temps passé +ProjectFollowTasks=Suivre des tâches ou du temps passé Usage=Usage UsageOpportunity=Utilisation: Opportunité UsageTasks=Utilisation: Tâches diff --git a/htdocs/langs/fr_GA/admin.lang b/htdocs/langs/fr_GA/admin.lang index 8c6135dc874..ab525a24c9e 100644 --- a/htdocs/langs/fr_GA/admin.lang +++ b/htdocs/langs/fr_GA/admin.lang @@ -1,5 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Module20Name=Devis Module30Name=Factures +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. +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_GA/products.lang b/htdocs/langs/fr_GA/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/fr_GA/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang index ee77a166128..49ee0b5b9bb 100644 --- a/htdocs/langs/gl_ES/accountancy.lang +++ b/htdocs/langs/gl_ES/accountancy.lang @@ -199,7 +199,7 @@ Docdate=Data Docref=Referencia LabelAccount=Etiqueta conta LabelOperation=Etiqueta operación -Sens=Dirección +Sens=Sentido AccountingDirectionHelp=Para unha conta contable dun cliente, use o crédito para rexistrar o pago recibido.
. Para unha conta contable dun provedor, use Débito para rexistrar o pago realizado LetteringCode=Codigo de letras Lettering=Letras @@ -208,7 +208,7 @@ JournalLabel=Etiqueta diario NumPiece=Apunte TransactionNumShort=Núm. transacción AccountingCategory=Grupos persoalizados -GroupByAccountAccounting=Agrupar por Libro Maior +GroupByAccountAccounting=Agrupar por conta contable GroupBySubAccountAccounting=Agrupar por subconta contable AccountingAccountGroupsDesc=Pode definir aquí algúns grupos de contas contables. Serán usadas para informes de contabilidade personalizados. ByAccounts=Por contas @@ -244,7 +244,7 @@ ListAccounts=Listaxe de contas contables UnknownAccountForThirdparty=Conta contable de terceiro descoñecida, usaremos %s UnknownAccountForThirdpartyBlocking=Conta contable de terceiro descoñecida. Erro de bloqueo. ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Conta contable de terceiro non definida ou terceiro descoñecido. Usaremos a %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Terceiro descoñecido e conta vinculada non definidos no pago. Manteremos o valor da conta vinculada baleiro. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Terceiro descoñecido e conta vinculada non definidos no pago. Manteremos o valor da conta ligada baleiro. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Conta do terceiro descoñecida ou terceiro descoñecido. Erro de bloqueo UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Conta de terceiros descoñecida e conta de espera non definida. Erro de bloqueo PaymentsNotLinkedToProduct=Pagos non ligados a un produto/servizo diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang index df51036e9e9..f1f38d6928d 100644 --- a/htdocs/langs/gl_ES/admin.lang +++ b/htdocs/langs/gl_ES/admin.lang @@ -39,7 +39,7 @@ Sessions=Sesións de usuarios WebUserGroup=Usuario/grupo do servidor web PermissionsOnFilesInWebRoot=Permisos de ficheiros no directorio web raiz PermissionsOnFile=Permisos de ficheiro %s -NoSessionFound=Parece que o seu PHP non pode listar as sesións activas. El directorio de salvaguardado de sesións (%s) puede estar protegido (por ejemplo, por los permisos del sistema operativo o por la directiva open_basedir de su PHP). +NoSessionFound=Parece que o seu PHP non pode listar as sesións activas. O directorio de gardado automático de sesións (%s) pode estar protexido (por exemplo, polos permisos do sistema operativo ou pola directiva open_basedir do seu PHP). DBStoringCharset=Codificación da base de datos para o almacenamento de datos DBSortingCharset=Codificación da base de datos para clasificar os datos HostCharset=Codificación do host @@ -210,7 +210,7 @@ ModulesDeployDesc=Se os permisos no seu sistema de ficheiros llo permiten, pode ModulesMarketPlaces=Procurar módulos externos... ModulesDevelopYourModule=Desenvolva as súas propias aplicacións/módulos ModulesDevelopDesc=Vostede pode desenvolver o seu propio módulo ou atopar un socio para que desenvolva un para vostede. -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)... +DOLISTOREdescriptionLong=En vez de conectar o sitio web www.dolistore.com para atopar un módulo externo, pode usar esta ferramenta incorporada que lle realizará a busca no tenda dolistore (pode ser lento, precisa acceso a Internet) ... NewModule=Novo FreeModule=Gratis CompatibleUpTo=Compatible coa versión %s @@ -305,7 +305,7 @@ MAIN_MAIL_SMS_FROM=Número de teléfono por defecto do remitente para os envíos MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado do remitente para o envío manual (correo electrónico do usuario ou correo electrónico da Empresa) UserEmail=Correo electrónico de usuario CompanyEmail=Correo electrónico da empresa -FeatureNotAvailableOnLinux=Funcionalidad non dispoñible en sistemas similares a Unix. Proba localmente o teu programa sendmail.. +FeatureNotAvailableOnLinux=Funcionalidade non dispoñible en sistemas similares a Unix. Probe localmente o seu programa sendmail.. FixOnTransifex=Corrixa a tradución na plataforma de tradución en liña do proxecto Transifex SubmitTranslation=Se a tradución deste idioma non está completa ou atopa erros, pode corrixilo editando ficheiros no directorio langs/%s e envía o teu cambio a www.transifex.com/dolibarr-association/dolibarr/ SubmitTranslationENUS=Se a tradución deste idioma non está completa ou atopa erros, pode corrixilo editando ficheiros no directorio langs/%s e enviar os ficheiros modificados a dolibarr.org/forum ou, se son desenvolvedores, cun PR a github.com/Dolibarr/dolibarr. @@ -437,7 +437,7 @@ ExtrafieldCheckBox=Caixa de verificación ExtrafieldCheckBoxFromList=Caixa de verificación da táboa ExtrafieldLink=Vínculo a un obxecto ComputedFormula=Campo combinado -ComputedFormulaDesc=Puede introducir aquí unha fórmula utilizando outras propiedades de obxecto o calquera código PHP para obter un valor calculado dinámico. Pode utilizar calquera fórmula compatible con PHP, incluído o operador de condición "?" e os obxectos globais seguintes: $db, $conf, $langs, $mysoc, $user, $object.
ATENCIÓN: Só algunhas propiedades de $object poden estar dispoñibles. Se precisa propiedades non cargadas, só procure o obxecto na súa fórmula como no segundo exemplo.
Usar un campo computado significa que non pode ingresar ningún valor dende a interfaz. Además, se hai un error de sintaxe, e posible que a fórmula non devolva nada.

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

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

Outro exemplo de fórmula para forzar a carga do objeto e su obxecto principal:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Parent project not found' +ComputedFormulaDesc=Pode introducir aquí unha fórmula utilizando outras propiedades de obxecto o calquera código PHP para obter un valor calculado dinámico. Pode utilizar calquera fórmula compatible con PHP, incluído o operador de condición "?" e os obxectos globais seguintes: $db, $conf, $langs, $mysoc, $user, $object.
ATENCIÓN: Só algunhas propiedades de $object poden estar dispoñibles. Se precisa propiedades non cargadas, só procure o obxecto na súa fórmula como no segundo exemplo.
Usar un campo computado significa que non pode ingresar ningún valor dende a interfaz. Tamén, se hai un error de sintaxe, e posible que a fórmula non devolva 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 de recarga de obxecto
(($reloadedobj = new Societe($db)) && ($reloadedobj->fetch($obj->id ? $obj->id : ($obj->rowid ? $obj->rowid : $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5 : '-1'

Outro exemplo de fórmula para forzar a carga do obxecto e o seu obxecto principal:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Parent project not found' Computedpersistent=Almacenar campo combinado ComputedpersistentDesc=Os campos adicionais calculados gardaranse na base de datos, con todo, o valor só se recalculará cando se cambie o obxecto deste campo. Se o campo calculado depende doutros obxectos ou datos globais, este valor pode ser incorrecto. ExtrafieldParamHelpPassword=Deixar este campo en branco significa que este valor gardarase sen cifrado (o campo estará oculto coa estrelas na pantalla).
Estableza aquí o valor "auto" para usar a regra de cifrado predeterminada para gardar o contrasinal na base de datos (entón o valor lido será só o hash, non hai forma de recuperar o valor orixinal) @@ -556,7 +556,7 @@ Module54Desc=Xestión de contratos (servizos ou suscripcións recurrentes) Module55Name=Códigos de barras Module55Desc=Xestión dos códigos de barras Module56Name=Pagamento por transferencia bancaria -Module56Desc=Xestión do pagamento de provedores mediante pedidos de transferencia. Inclúe a xeración de ficheiros SEPA para países europeos. +Module56Desc=Xestión do pagamento de provedores mediante pedimentos de transferencia. Inclúe a xeración de ficheiros SEPA para países europeos. Module57Name=Domiciliacións bancarias Module57Desc=Xestión de domiciliacións. Tamén inclue xeración de ficheiro SEPA para países Europeos. Module58Name=ClickToDial @@ -660,9 +660,9 @@ Module50100Desc=Módulo punto de venda (TPV) Module50150Name=Terminales Punto de Venda Module50150Desc=Módulo punto de venda (Pantalla táctil TPV) Module50200Name=Paypal -Module50200Desc=Ofrece aos clientes pagamentos online vía PayPal (cuenta PayPal o tarjetas de crédito/débito). Esto puede ser usado para permitir a sus clientes realizar pagamentos libres o pagamentos en un objeto de Dolibarr en particular (factura, pedimento...) +Module50200Desc=Ofrece aos clientes pagamentos online vía PayPal (cuenta PayPal o tarxetas de crédito/débito). Esto pode ser usado para permitir aos seus clientes realizar pagamentos libres ou pagamentos nun obxecto de Dolibarr en particular (factura, pedimento...) Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50300Desc=Ofrece aos clientes unha páxina de pago en liña Stripe (tarxetas de crédito/débito). Isto pódese usar para permitir aos seus clientes realizar pagamentos ad hoc ou pagos relacionados cun obxecto específico de Dolibarr (factura, pedimento etc ...) Module50400Name=Contabilidade (avanzada) Module50400Desc=Xestión contable (dobre partida, libros xerais e auxiliares). Exporte a varios formatos de software de contabilidade. Module54000Name=PrintIPP @@ -903,7 +903,7 @@ Permission1187=Recibir pedimentos de provedores Permission1188=Pechar pedimentos a provedores Permission1189=Marcar/Desmarcar a recepción dunha orde de compra Permission1190=Aprobar (segunda aprobación) pedimentos a provedores -Permission1191=Exportar pedidos de provedores e os seus atributos +Permission1191=Exportar pedimentos de provedores e os seus atributos Permission1201=Obter resultado dunha exportación Permission1202=Crear/codificar exportacións Permission1231=Consultar facturas de provedores @@ -1189,7 +1189,7 @@ BrowserName=Nome do navegador BrowserOS=S.O. do navegador ListOfSecurityEvents=Listaxe de eventos de seguridade Dolibarr SecurityEventsPurged=Eventos de seguridade purgados -LogEventDesc=Pode habilitar o rexistro de eventos de seguridade aquí. Os administradores poden ver o contido do rexistro ao través do menú %s-%s.Atención, esta característica puede xerar unha gran cantidade de datos na base de datos. +LogEventDesc=Pode habilitar o rexistro de eventos de seguridade aquí. Os administradores poden ver o contido do rexistro ao través do menú %s-%s.Atención, esta característica pode xerar unha gran cantidade de datos na base de datos. AreaForAdminOnly=Os parámetros de configuración poden ser tratados por usuarios administradores exclusivamente. SystemInfoDesc=A información do sistema é información técnica accesible en modo lectura para administradores exclusivamente. SystemAreaForAdminOnly=Esta área é accesible aos usuarios administradores exclusivamente. Os permisos dos usuarios de Dolibarr non permiten cambiar esta restricción. @@ -1200,7 +1200,7 @@ DisplayDesc=Pode modificar aquí todos os parámetros relacionados coa aparienci AvailableModules=Módulos dispoñibles ToActivateModule=Para activar os módulos, ir ao área de Configuración (Inicio->Configuración->Módulos). SessionTimeOut=Timeout de sesións -SessionExplanation=Este número garantiza que a sesión nunca caducará antes deste atraso, si el limpiador de sesión se realiza mediante un limpiador de sesión interno de PHP (e nada más). El limpiador interno de sesións de PHP no garantiza que la sesión caduque después de este retraso. Expirará, después de este retraso, e cuando se ejecute o limpiador de sesións, por lo que cada acceso %s/%s , pero solo durante o acceso realizado por otras sesións (si el valor es 0, significa que la limpieza de sesións 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 sesións se pueden destruir después de un período definido por una configuración externa, sin importar el valor introducido aquí +SessionExplanation=Este número garante que a sesión nunca caducará antes deste atraso, se o limpador de sesión o realiza o limpador de sesión interno PHP (e nada máis). O limpador de sesión PHP interno non garante que a sesión caducará despois deste atraso. Caducará, despois deste atraso, e cando se execute o limpador de sesión, polo que cada acceso %s/%s , pero só durante o acceso feito por outras sesións (se o valor é 0, significa que a limpeza da sesión só se fai por un proceso externo) .
Nota: nalgúns servidores cun mecanismo de limpeza de sesión externo (cron baixo debian, ubuntu ...), as sesións pódense destruír despois dun período definido por unha configuración externa, independentemente do valor que se introduza aquí. SessionsPurgedByExternalSystem=As sesións neste servidor parecen estar limpas por un mecanismo externo (cron baixo debian, ubuntu ...), probablemente cada %s segundos (= valor do parámetro session.gc_maxlifetime), polo que cambiar o valor aquí non ten efecto. Debe solicitar ao administrador do servidor que cambie o atraso da sesión. TriggersAvailable=Triggers dispoñibles TriggersDesc=Os triggers son ficheiros que, unha vez copiados no directorio htdocs/core/triggers, modifican o comportamento do fluxo de traballo de Dolibarr. Realizan accións suplementarias, desencadenadas polos eventos Dolibarr (creación de empresa, validación factura...). @@ -1231,7 +1231,7 @@ BackupDescX=O directorio arquivado deberá gardarse nun lugar seguro. BackupDescY=O ficheiro de volcado xerado deberá gardarse nun lugar seguro. BackupPHPWarning=A copia de seguridade non pode ser garantida con este método. É preferible utilizar o anterior RestoreDesc=Para restaurar unha copia de seguridade de Dolibarr, vostede debe: -RestoreDesc2=Tomar o ficheiro (ficheiro zip, por exemplo) do directorio dos documentos e descomprimilo no directorio dos documentos dunha nova instalación de Dolibarr ou na carpeta dos documentos desta instalación (%s). +RestoreDesc2=Seleccionar o ficheiro (ficheiro zip, por exemplo) do directorio dos documentos e descomprimilo no directorio dos documentos dunha nova instalación de Dolibarr ou na carpeta dos documentos desta instalación (%s). RestoreDesc3=Restaurar o ficheiro de volcado gardado na base de datos da nova instalación de Dolibarr ou desta instalación (%s). Atención, unha vez realizada a restauración, deberá utilizar un login/contrasinal de administrador existente no momento da copia de seguridade para conectarse.
Para restaurar a base de datos na instalación actual, pode utilizar o asistente a continuación. RestoreMySQL=Importación MySQL ForcedToByAModule=Esta regra é obrigada a %s por un dos módulos activados @@ -1300,7 +1300,7 @@ TitleNumberOfActivatedModules=Módulos activados TotalNumberOfActivatedModules=Número total de módulos activados: %s / %s YouMustEnableOneModule=Debe activar polo menos 1 módulo. ClassNotFoundIntoPathWarning=Clase 1%s non foi atopada na ruta PHP -YesInSummer=Sí en verano +YesInSummer=Sí en verán OnlyFollowingModulesAreOpenedToExternalUsers=Atención: Teña conta que os módulos seguintes están dispoñibles a usuarios externos (sexa cal fora o permiso destes usuarios) e só se os permisos son concedidos:
SuhosinSessionEncrypt=Almacenamento de sesións cifradas por Suhosin ConditionIsCurrently=Actualmente a condición é %s @@ -1346,7 +1346,7 @@ AccountCodeManager=Opcións para a xeración automática de contas contables de NotificationsDesc=As notificacións por e-mail permitenlle enviar silenciosamente e-mails automáticos, para algúns eventos Dolibarr.
Pódense definir os destinatarios: NotificationsDescUser=* por usuarios, un usuario á vez. NotificationsDescContact=* por contactos de terceiros (clientes ou provedores), un contacto á vez. -NotificationsDescGlobal=* o configurando destinatarios globlalmente na configuración do módulo. +NotificationsDescGlobal=* ou configurando destinatarios globlalmente na configuración do módulo. ModelModules=Prantillas de documentos DocumentModelOdt=Xeración dos documentos OpenDocument (Ficheiro .ODT / .ODS de LibreOffice, OpenOffice, KOffice, TextEdit...) WatermarkOnDraft=Marca de auga nos documentos borrador @@ -1598,6 +1598,11 @@ ServiceSetup=Configuración do módulo Servizos ProductServiceSetup=Configuración dos módulos Produtos e Servizos NumberOfProductShowInSelect=Nº de produtos máx. nas listas (0=sen límite) ViewProductDescInFormAbility=Visualización das descripcións dos produtos nos formularios (no caso contrario como tooltip) +DoNotAddProductDescAtAddLines=Non engadir a descrición do produto (da tarxeta do produto) ao enviar engadir liñas nos formularios +OnProductSelectAddProductDesc=Como usar a descrición dos produtos cando se engade un produto como liña dun documento +AutoFillFormFieldBeforeSubmit=Completar automaticamente o campo de entrada da descrición coa descrición do produto +DoNotAutofillButAutoConcat=Non completa automaticamente o campo de entrada coa descrición do produto. A descrición do produto concatenarase coa descrición introducida automaticamente. +DoNotUseDescriptionOfProdut=A descrición do produto nunca se incluirá na descrición das liñas de documentosMergePropalProductCard=Activar no produto/servizo a pestana Documentos unha opción para fusionar documentos PDF de produtos ao orzamento PDF azur se o produto/servizo atópase no orzamento MergePropalProductCard=Activar no produto/servizo a pestana Documentos unha opción para fusionar documentos PDF de produtos ao orzamento PDF azur se o produto/servizo atópase no orzamento ViewProductDescInThirdpartyLanguageAbility=Amosar as descricións dos produtos no idioma do terceiro UseSearchToSelectProductTooltip=Tamén, se ten un gran número de produtos (> 100 000), pode aumentar a velocidade configurando PRODUCT_DONOTSEARCH_ANYWHERE constante en 1 en Configuración-> Outro. A busca limitarase entón ao comezo da cadea. @@ -1853,7 +1858,7 @@ Threshold=Límite BackupDumpWizard=Asistente para crear unha copia de seguridade da base de datos BackupZipWizard=Asistente para crear unha copia de seguridade do directorio de documentos SomethingMakeInstallFromWebNotPossible=A instalación do módulo externo non é posible desde a interface web polo seguinte motivo: -SomethingMakeInstallFromWebNotPossible2=Por estae motivo, o proceso de actualización descrito aquí é un proceso manual que só pode realizar un usuario privilexiado con privilexios o ficheiro %s para permitir esta función. +SomethingMakeInstallFromWebNotPossible2=Por este motivo, o proceso de actualización descrito aquí é un proceso manual que só pode realizar un usuario privilexiado con privilexios o ficheiro %s para permitir esta función. InstallModuleFromWebHasBeenDisabledByFile=O seu administrador desactivou a instalación do módulo externo desde a aplicación. Debe pedirlle que elimine o ficheiro %s para permitir esta función. ConfFileMustContainCustom=A instalación ou construción dun módulo externo desde a aplicación precisa gardar os ficheiros do módulo no directorio %s. Para que Dolibarr procese este directorio, debe configurar o seu conf/conf.php para engadir as dúas liñas directivas:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Resalte as liñas da táboa cando pasa o rato por riba @@ -1990,7 +1995,7 @@ MaxEmailCollectPerCollect=Número máximo de correos electrónicos recollidos po CollectNow=Recibir agora ConfirmCloneEmailCollector=¿Está certo de que quere clonar o receptor de correo electrónico %s? DateLastCollectResult=Data do último intento de recepción -DateLastcollectResultOk=Data do último éxito de recepción +DateLastcollectResultOk=Data da última recepción con éxito LastResult=Último resultado EmailCollectorConfirmCollectTitle=Confirmación de recepción por correo electrónico EmailCollectorConfirmCollect=¿Quere executar agora a recepcións deste receptor? @@ -2044,7 +2049,7 @@ UseDebugBar=Use a barra de debug DEBUGBAR_LOGS_LINES_NUMBER=Número de últimas liñas de rexistro para manter na consola. WarningValueHigherSlowsDramaticalyOutput=Advertencia, os valores altos ralentizan enormemente a saída. ModuleActivated=O módulo %s está activado e ralentiza a interface -IfYouAreOnAProductionSetThis=Se estás nun entorno de produción, debes establecer esta propiedade en %s.. +IfYouAreOnAProductionSetThis=Se está nun entorno de produción, debe establecer esta propiedade en %s.. AntivirusEnabledOnUpload=Antivirus activado nos ficheiros actualizados EXPORTS_SHARE_MODELS=Os modelos de exportación son compartidos con todos. ExportSetup=Configuración do módulo de exportación. @@ -2080,7 +2085,7 @@ TemplateAdded=Modelo engadido TemplateUpdated=Modelo actualizado TemplateDeleted=Modelo eliminado MailToSendEventPush=Correo electronico lembranbdo o evento -SwitchThisForABetterSecurity=Modificar este valor a %s çe recomendable para mair seguridade +SwitchThisForABetterSecurity=Modificar este valor a %s é recomendable para maior seguridade DictionaryProductNature= Natureza do produto CountryIfSpecificToOneCountry=País (se é específico dun determinado país) YouMayFindSecurityAdviceHere=Pode atopar avisos de seguridade aquí diff --git a/htdocs/langs/gl_ES/assets.lang b/htdocs/langs/gl_ES/assets.lang index 06c7c76a069..a94a7f9643c 100644 --- a/htdocs/langs/gl_ES/assets.lang +++ b/htdocs/langs/gl_ES/assets.lang @@ -21,7 +21,7 @@ NewAsset = Novo activo AccountancyCodeAsset = Código contable (activo) AccountancyCodeDepreciationAsset = Código contable (conta depreciación activo) AccountancyCodeDepreciationExpense = Código contable (conta depreciación gastos) -NewAssetType=Nuevo tipo de activo +NewAssetType=Novo tipo de activo AssetsTypeSetup=Configuración tipos de activos AssetTypeModified=Tipo de activo modificado AssetType=Tipo de activo @@ -61,5 +61,5 @@ MenuListTypeAssets = Listaxe # # Module # -NewAssetType=Nuevo tipo de activo +NewAssetType=Novo tipo de activo NewAsset=Novo activo diff --git a/htdocs/langs/gl_ES/bills.lang b/htdocs/langs/gl_ES/bills.lang index 6047f9fbdfa..a5ca9f3aeff 100644 --- a/htdocs/langs/gl_ES/bills.lang +++ b/htdocs/langs/gl_ES/bills.lang @@ -69,7 +69,7 @@ ConfirmDeletePayment=¿Está certo de querer eliminar este pagamento? ConfirmConvertToReduc=¿Quere converter este %s nun crédito dispoñible? ConfirmConvertToReduc2=A cantidade gardarase entre todos os descontos e podería usarse como desconto dunha factura actual ou futura para este cliente. ConfirmConvertToReducSupplier=¿Quere converter este %s nun crédito dispoñible? -ConfirmConvertToReducSupplier2=cantidade gardarase entre todos os descontos e podería usarse como desconto para unha factura actual ou futura deste provedor. +ConfirmConvertToReducSupplier2=A cantidade gardarase entre todos os descontos e podería usarse como desconto para unha factura actual ou futura deste provedor. SupplierPayments=Pagamentos a provedores ReceivedPayments=Pagamentos recibidos ReceivedCustomersPayments=Pagamentos recibidos de cliente @@ -154,8 +154,8 @@ ErrorInvoiceAvoirMustBeNegative=Erro, a factura correcta debe ter un importe neg ErrorInvoiceOfThisTypeMustBePositive=Erro, este tipo de factura debe ter un importe sen impostos positivos (ou nulos) ErrorCantCancelIfReplacementInvoiceNotValidated=Erro, non se pode cancelar unha factura que foi substituída por outra que aínda está en estado de borrador ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Esta parte ou outra xa está empregada polo que a serie de descontos non se pode eliminar. -BillFrom=De -BillTo=A +BillFrom=Emisor +BillTo=Enviar a: ActionsOnBill=Accións sobre a factura RecurringInvoiceTemplate=Modelo / Factura recorrente NoQualifiedRecurringInvoiceTemplateFound=Non hai ningunha factura de modelo recorrente cualificada para a xeración. @@ -400,7 +400,7 @@ PaymentConditionShortPT_DELIVERY=Á entrega PaymentConditionPT_DELIVERY=Pagamento á entrega PaymentConditionShortPT_ORDER=Orde PaymentConditionPT_ORDER=Á recepción do pedimento -PaymentConditionShortPT_5050=50-50 +PaymentConditionShortPT_5050=50/50 PaymentConditionPT_5050=Pagamento 50%% por adiantado, 50%% á entrega PaymentConditionShort10D=10 días PaymentCondition10D=Pagamento aos 10 días @@ -561,7 +561,7 @@ ToCreateARecurringInvoiceGene=Para xerar futuras facturas regularmente e manualm ToCreateARecurringInvoiceGeneAuto=Se precisa xerar estas facturas automaticamente, pídelle ao administrador que active e configure o módulo %s . Teña conta que os dous métodos (manual e automático) pódense empregar xuntos sen risco de duplicación. DeleteRepeatableInvoice=Eliminar factura modelo ConfirmDeleteRepeatableInvoice=¿Está certo de que quere eliminar a factura modelo? -CreateOneBillByThird=Crear unha factura por terceiro (se non, unha factura por pedido) +CreateOneBillByThird=Crear unha factura por terceiro (se non, unha factura por pedimento) BillCreated=Creáronse %s factura(s) StatusOfGeneratedDocuments=Estado da xeración de documentos DoNotGenerateDoc=Non xerar ficheiro de documento diff --git a/htdocs/langs/gl_ES/boxes.lang b/htdocs/langs/gl_ES/boxes.lang index 714a790e0a8..f8d1e9e6955 100644 --- a/htdocs/langs/gl_ES/boxes.lang +++ b/htdocs/langs/gl_ES/boxes.lang @@ -37,7 +37,7 @@ BoxTitleOldestUnpaidSupplierBills=Facturas Provedores: últimas %s pendentes de BoxTitleCurrentAccounts=Contas abertas: balance BoxTitleSupplierOrdersAwaitingReception=Pedimentos de provedores agardando recepción BoxTitleLastModifiedContacts=Contactos/Enderezos: Últimos %s modificados -BoxMyLastBookmarks=Marcadores: últimos %s +BoxMyLastBookmarks=Últimos %s marcadores BoxOldestExpiredServices=Servizos antigos expirados BoxLastExpiredServices=Últimos %s contratos mais antigos con servizos expirados BoxTitleLastActionsToDo=Últimas %s accións a realizar diff --git a/htdocs/langs/gl_ES/categories.lang b/htdocs/langs/gl_ES/categories.lang index 106d55b60f5..13f95f1a8dc 100644 --- a/htdocs/langs/gl_ES/categories.lang +++ b/htdocs/langs/gl_ES/categories.lang @@ -13,8 +13,8 @@ ProductsCategoriesArea=Área etiquetas/categorías Produtos/Servizos SuppliersCategoriesArea=Área etiquetas/categorías Provedores CustomersCategoriesArea=Área etiquetas/categorías Clientes MembersCategoriesArea=Área etiquetas/categorías Membros -ContactsCategoriesArea=Área etiquetas/categorías de contactos -AccountsCategoriesArea=Área etiquetas/categorías contables +ContactsCategoriesArea=Área etiquetas/categorías de Contactos +AccountsCategoriesArea=Área etiquetas/categorías Contables ProjectsCategoriesArea=Área etiquetas/categorías Proxectos UsersCategoriesArea=Área etiquetas/categorías Usuarios SubCats=Subcategorías diff --git a/htdocs/langs/gl_ES/companies.lang b/htdocs/langs/gl_ES/companies.lang index a866f64cb9c..bb98f3309db 100644 --- a/htdocs/langs/gl_ES/companies.lang +++ b/htdocs/langs/gl_ES/companies.lang @@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Verificar o CIF/NIF intracomunitario na web da Comisi VATIntraManualCheck=Pode tamén verificar manualmente na web da Comisión Europea %s ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. O servizo de comprobación non é fornecido polo Estado membro (%s). NorProspectNorCustomer=Nin cliente, nin cliente potencial -JuridicalStatus=Tipo de entidade xurídica +JuridicalStatus=Forma xurídica Workforce=TRaballadores Staff=Empregados ProspectLevelShort=Potencial @@ -412,7 +412,7 @@ DeliveryAddress=Enderezo de envío AddAddress=Engadir enderezo SupplierCategory=Categoría de provedor JuridicalStatus200=Independente -DeleteFile=Eliminación dun arquivo +DeleteFile=Eliminación dun ficheiro ConfirmDeleteFile=¿Está certo de querer eliminar este ficheiro? AllocateCommercial=Asignado a comercial Organization=Organización diff --git a/htdocs/langs/gl_ES/compta.lang b/htdocs/langs/gl_ES/compta.lang index 1506922c0b4..92a135523c0 100644 --- a/htdocs/langs/gl_ES/compta.lang +++ b/htdocs/langs/gl_ES/compta.lang @@ -111,7 +111,7 @@ Refund=Reembolso SocialContributionsPayments=Pagamentos de taxas sociais/fiscais ShowVatPayment=Consultar pagamentos de IVE TotalToPay=Total a pagar -BalanceVisibilityDependsOnSortAndFilters=O saldo é visible nesta lista só se a táboa está ordenada en %s e filtrada nunha conta bancaria (sen outros filtros) +BalanceVisibilityDependsOnSortAndFilters=O saldo é visible nesta lista só se a táboa está ordenada en %s e filtrada nunha 1 conta bancaria (sen outros filtros) CustomerAccountancyCode=Código contable cliente SupplierAccountancyCode=Código contable provedor CustomerAccountancyCodeShort=Cód. conta cliente @@ -198,7 +198,7 @@ ThisIsAnEstimatedValue=Esta é unha vista previa, basaeda en eventos de negocios PercentOfInvoice=%%/factura NotUsedForGoods=Non utilizado para os bens ProposalStats=Estatísticas de orzamentos -OrderStats=Estatísticas de pedidos +OrderStats=Estatísticas de pedimentos InvoiceStats=Estatísticas de facturas Dispatch=Enviando Dispatched=Enviado @@ -218,7 +218,7 @@ InvoiceLinesToDispatch=Líñas de facturas a contabilizar ByProductsAndServices=Por produtos e servizos RefExt=Ref. externa ToCreateAPredefinedInvoice=Para crear unha factura modelo, cree unha factura estándar e, sen validala, prema nos botóns "%s". -LinkedOrder=Ligar a pedido +LinkedOrder=Ligar a pedimento Mode1=Método 1 Mode2=Método 2 CalculationRuleDesc=Para calcular o IVE total, hai dous métodos:
O método 1 é redondear o IVE en cada liña e logo sumalos.
O método 2 suma todos os IVE en cada liña e despois redondea o resultado.
O modo predeterminado é o modo %s diff --git a/htdocs/langs/gl_ES/cron.lang b/htdocs/langs/gl_ES/cron.lang index 50a3beee5e9..b7dafdc697f 100644 --- a/htdocs/langs/gl_ES/cron.lang +++ b/htdocs/langs/gl_ES/cron.lang @@ -1,91 +1,91 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Consultar. Traballo programado -Permission23102 = Crear/actualizar. Traballo programado -Permission23103 = Borrar. Traballo Programado -Permission23104 = Executar. Traballo programado +Permission23101 = Consultar. tarefa programada +Permission23102 = Crear/actualizar. tarefa programada +Permission23103 = Borrar tarefa programada +Permission23104 = Executar tarefa programada # Admin -CronSetup=Scheduled job management setup -URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser -OrToLaunchASpecificJob=Or to check and launch a specific job from a browser -KeyForCronAccess=Security key for URL to launch cron jobs -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs -CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes -CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes -CronMethodDoesNotExists=Class %s does not contains any method %s -CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods -CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s. -CronJobProfiles=List of predefined cron job profiles +CronSetup=Configuración da xestión de tarefas programadas +URLToLaunchCronJobs=URL para comprobar e iniciar tarefas programadas de cron desde un navegador +OrToLaunchASpecificJob=Ou para comprobar e iniciar unha tarefa específica desde un navegador +KeyForCronAccess=Chave para a URL para lanzar traballos cron +FileToLaunchCronJobs=Liña de comandos para comprobar e iniciar tarefas cron +CronExplainHowToRunUnix=En entornos Unix debería empregar a seguinte entrada crontab para executar a liña de comandos cada 5 minutos +CronExplainHowToRunWin=En entorno de Microsoft (tm) Windows pode usar as ferramentas de tarefas programadas para executar a liña de comandos cada 5 minutos +CronMethodDoesNotExists=A clase %s non contén ningún método %s +CronMethodNotAllowed=O método %s da clase %s está na listaxe negra de métodos prohibidos +CronJobDefDesc=Os perfís de tarefas cron defínense no ficheiro descritor do módulo. Cando o módulo está activado, carganse e están dispoñibles para que poida administrar os traballos dende o menú de ferramentas de administración %s. +CronJobProfiles=Listaxe de perfís de tarefas cron predefinidas # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=Activado e desactivado # Page list -CronLastOutput=Latest run output +CronLastOutput=Última saída executada CronLastResult=Código de resultado máis recente -CronCommand=Command +CronCommand=Comando CronList=Tarefas programadas -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job -CronConfirmExecute=Are you sure you want to execute these scheduled jobs now? -CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually. -CronTask=Job +CronDelete=Eliminar tarefas programadas +CronConfirmDelete=Está certo de querer eliminar esta tarefa programada? +CronExecute=Iniciar tarefa programada +CronConfirmExecute=Está certo de querer executar estas tarefas programadas agora? +CronInfo=O módulo de tarefas programadas permite programar tarefas para executalas automaticamente. As tarefas tamén se poden iniciar manualmente. +CronTask=Tarefa CronNone=Ningún -CronDtStart=Not before -CronDtEnd=Not after -CronDtNextLaunch=Next execution -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution +CronDtStart=Non antes +CronDtEnd=Non despois +CronDtNextLaunch=Próxima execución +CronDtLastLaunch=Data de inicio da última execución +CronDtLastResult=Data de finalización da última execución CronFrequency=Frecuencia -CronClass=Class +CronClass=Clase CronMethod=Método -CronModule=Module -CronNoJobs=No jobs registered +CronModule=Módulo +CronNoJobs=Non hai tarefa rexistrada CronPriority=Prioridade CronLabel=Etiqueta -CronNbRun=Number of launches -CronMaxRun=Maximum number of launches -CronEach=Every -JobFinished=Job launched and finished -Scheduled=Scheduled +CronNbRun=Número de lanzamentos +CronMaxRun=Número máximo de lanzamentos +CronEach=Todo +JobFinished=Tarefa iniciada e finalizada +Scheduled=Programada #Page card -CronAdd= Add jobs -CronEvery=Execute job each -CronObject=Instance/Object to create +CronAdd= Axuntar tarefas +CronEvery=Executar cada tarefa +CronObject=Instancia/obxecto a crear CronArgs=Parámetros -CronSaveSucess=Save successfully +CronSaveSucess=Gardar correctamente CronNote=Comentario -CronFieldMandatory=Fields %s is mandatory -CronErrEndDateStartDt=End date cannot be before start date -StatusAtInstall=Status at module installation -CronStatusActiveBtn=Schedule +CronFieldMandatory=Os campos %s son obrigados +CronErrEndDateStartDt=A data de finalización non pode ser anterior á data de inicio +StatusAtInstall=Estado da instalación do módulo +CronStatusActiveBtn=Horario CronStatusInactiveBtn=Desactivar -CronTaskInactive=This job is disabled -CronId=Id -CronClassFile=Filename with class -CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module).
For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is
product -CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory).
For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is
product/class/product.class.php -CronObjectHelp=The object name to load.
For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is
Product -CronMethodHelp=The object method to launch.
For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is
fetch -CronArgsHelp=The method arguments.
For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be
0, ProductRef -CronCommandHelp=The system command line to execute. -CronCreateJob=Create new Scheduled Job +CronTaskInactive=A tarefa está desactivada +CronId=Id +CronClassFile=Nome do ficheiro coa clase +CronModuleHelp=Nome do directorio do módulo Dolibarr (tamén funciona con módulo Dolibarr externo).
Por exemplo, para chamar ao método fetch do obxecto Dolibarr Product /htdocs/product/class/product.class.php, o valor do módulo é
product +CronClassFileHelp=A ruta relativa e o nome do ficheiro a cargar (a ruta é relativa ao directorio raíz do servidor web).
Por exemplo, para chamar ao método de recuperación do obxecto Dolibarr Product htdocs/product/class/product.class.php, o valor do nome do ficheiro de clase é
product/class/product.class.php +CronObjectHelp=O nome do obxecto a cargar.
Por exemplo, para chamar ao método de recuperación do obxecto do produto Dolibarr /htdocs/product/class/product.class.php, o valor do nome do ficheiro de clase é
Product +CronMethodHelp=O nome do obxecto a lanzar.
Por exemplo, para chamar ao método de recuperación do obxecto do produto Dolibarr /htdocs/product/class/product.class.php, o valor para o método é
fetch +CronArgsHelp=Os argumentos do método.
Por exemplo, para chamar ao método de obtención do obxecto do produto Dolibarr /htdocs/product/class/product.class.php, o valor dos parámetros pode ser
0, ProductRef +CronCommandHelp=A liña de comandos do sistema para executar +CronCreateJob=Crear unha nova Tarefa Programada CronFrom=De # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class -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. -JobDisabled=Job disabled -MakeLocalDatabaseDumpShort=Local database backup -MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep -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=Data cleaner and anonymizer -JobXMustBeEnabled=Job %s must be enabled +CronType=Tipo de tarefa +CronType_method=Método de chamada dunha clase PHP +CronType_command=Comando Shell +CronCannotLoadClass=Non se pode cargar o ficheiro de clase %s (para usar a clase %s) +CronCannotLoadObject=Cargouse o ficheiro de clase %s, pero o obxecto %s non se atopou nel +UseMenuModuleToolsToAddCronJobs=Vaia ao menú "Home - Ferramentas de administración - Traballos programados" para ver e editar os traballos programados. +JobDisabled=Tarefa deshabilitada +MakeLocalDatabaseDumpShort=Copia local da base de datos +MakeLocalDatabaseDump=Cree un volcado da base de datos local. Os parámetros son: compresión ('gz' ou 'bz' ou 'none'), tipo de copia de seguridade ('mysql', 'pgsql', 'auto'), 1, 'auto' ou nome de ficheiro para construír, número de ficheiros de copia de seguridade que gardar +WarningCronDelayed=Atención, para fins de rendemento, calquera que sexa a próxima data de execución das tarefas habilitadas, é posible que as súas tarefas se retrasen ata un máximo de %s horas antes de executalos. +DATAPOLICYJob=Limpar datos e anonimizar +JobXMustBeEnabled=Tarefa %s debe ser activada # Cron Boxes -LastExecutedScheduledJob=Last executed scheduled job -NextScheduledJobExecute=Next scheduled job to execute -NumberScheduledJobError=Number of scheduled jobs in error +LastExecutedScheduledJob=Última tarefa programad executada +NextScheduledJobExecute=Próxima tarefa programada para executar +NumberScheduledJobError=Número de tarefas programadas por erro diff --git a/htdocs/langs/gl_ES/deliveries.lang b/htdocs/langs/gl_ES/deliveries.lang index 25d25921e1c..49996ef672a 100644 --- a/htdocs/langs/gl_ES/deliveries.lang +++ b/htdocs/langs/gl_ES/deliveries.lang @@ -29,4 +29,4 @@ Shippable=Enviable NonShippable=Non enviable ShowShippableStatus=Amosar estado de envío ShowReceiving=Mostrar nota de recepción -NonExistentOrder=Pedido inexistente +NonExistentOrder=Pedimento inexistente diff --git a/htdocs/langs/gl_ES/donations.lang b/htdocs/langs/gl_ES/donations.lang index c6aedceba3e..fd3cc0dbfdd 100644 --- a/htdocs/langs/gl_ES/donations.lang +++ b/htdocs/langs/gl_ES/donations.lang @@ -9,8 +9,8 @@ DeleteADonation=Eliminar unha doación/subvención ConfirmDeleteADonation=¿Esta certo de querer eliminar esta doación/subvención? PublicDonation=Doación/Subvención Pública DonationsArea=Área de doacións/subvencións -DonationStatusPromiseNotValidated=Promesa non validada -DonationStatusPromiseValidated=Promesa validada +DonationStatusPromiseNotValidated=Doación/Subvención non validada +DonationStatusPromiseValidated=Doación/Subvención validada DonationStatusPaid=Doación/Subvención pagada DonationStatusPromiseNotValidatedShort=Non validada DonationStatusPromiseValidatedShort=Validada @@ -18,7 +18,7 @@ DonationStatusPaidShort=Pagada DonationTitle=Recibo de doación/subvención DonationDate=Data de doación/subvención DonationDatePayment=Data de pago -ValidPromess=Validar promesa +ValidPromess=Validar doación/subvención DonationReceipt=Recibo de doación/subvención DonationsModels=Modelo de documento de recepción de doación/subvención LastModifiedDonations=Últimas %s doacións modificadas diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang index 516bd1b7feb..4e0a15fee05 100644 --- a/htdocs/langs/gl_ES/errors.lang +++ b/htdocs/langs/gl_ES/errors.lang @@ -124,7 +124,7 @@ ErrorBadValueForCode=Valor incorrecto para o código de seguridade. Tenteo novam ErrorBothFieldCantBeNegative=Os campos %s e %s non poen ser negativos ErrorFieldCantBeNegativeOnInvoice=O campo %s non pode ser negativo neste tipo de factura. Se precisa engadir unha liña de desconto, primeiro cree o desconto (a partir do campo '%s' na tarxeta de terceiros) e aplíqueo á factura. ErrorLinesCantBeNegativeForOneVATRate=O total de liñas (neto de impostos) non pode ser negativo para unha determinada taxa de IVE non nula (Atopouse un total negativo para o tipo de IVE %s%%) -ErrorLinesCantBeNegativeOnDeposits=As liñas non poden ser negativas nun depósito. Terá problemas cando necesite consumir o depósito na factura final se o fai. +ErrorLinesCantBeNegativeOnDeposits=As liñas non poden ser negativas nun depósito. Terá problemas cando precise consumir o depósito na factura final se o fai. ErrorQtyForCustomerInvoiceCantBeNegative=A cantidade da liña para as facturas do cliente non pode ser negativa ErrorWebServerUserHasNotPermission=A conta de usuario %s usada para executar o servidor web non ten permiso para iso ErrorNoActivatedBarcode=Non hai ningún tipo de código de barras activado @@ -189,19 +189,19 @@ ErrorSavingChanges=Produciuse un erro ao gardar os cambios ErrorWarehouseRequiredIntoShipmentLine=Requírese un almacén na liña para enviar ErrorFileMustHaveFormat=O ficheiro debe ter o formato %s ErrorFilenameCantStartWithDot=O nome do ficheiro non pode comezar cun "." -ErrorSupplierCountryIsNotDefined=El país de este proveedor no está definido, corríjalo en su ficha -ErrorsThirdpartyMerge=No se han podido fusionar los dos registros. Petición cancelada. -ErrorStockIsNotEnoughToAddProductOnOrder=No hay stock suficiente del producto %s para añadirlo a un nuevo pedido. -ErrorStockIsNotEnoughToAddProductOnInvoice=No hay stock suficiente del producto %s para añadirlo a una nueva factura. -ErrorStockIsNotEnoughToAddProductOnShipment=No hay stock suficiente del producto %s para añadirlo a un nuevo envío. -ErrorStockIsNotEnoughToAddProductOnProposal=No hay stock suficiente del producto %s para añadirlo a un nuevo presupuesto. -ErrorFailedToLoadLoginFileForMode=Error al obtener la clave de acceso para el modo '%s'. -ErrorModuleNotFound=No se ha encontrado el archivo del módulo. -ErrorFieldAccountNotDefinedForBankLine=Valor para la cuenta contable no indicada para la línea origen %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Valor de la cuenta contable no indicado para la factura id %s (%s) -ErrorFieldAccountNotDefinedForLine=Valor para la cuenta contable no indicado para la línea (%s) -ErrorBankStatementNameMustFollowRegex=Error, el nombre de estado de la cuenta bancaria debe seguir la siguiente regla de sintaxis %s -ErrorPhpMailDelivery=Comprobe que non utiliza un número moi alto de destinatarios e que o seu contido de correo electrónico non é similar a spam. Solicite tamén ao seu administrador que comprobe os ficheiros de firewall e rexistros do servidor para obter unha información máis completa. +ErrorSupplierCountryIsNotDefined=O país deste provedor non está definido, corrixao na súa +ErrorsThirdpartyMerge=Non se puideron combinar os dous rexistros. Solicitude cancelada. +ErrorStockIsNotEnoughToAddProductOnOrder=Non hai suficiente stock de produto %s para engadilo a un novo pedido. +ErrorStockIsNotEnoughToAddProductOnInvoice=Non hai suficiente stock de produto %s para engadilo a unha nova factura. +ErrorStockIsNotEnoughToAddProductOnShipment=Non hai suficiente stock de produto %s para engadilo a un novo envío. +ErrorStockIsNotEnoughToAddProductOnProposal=Non hai suficiente stock de produto %s para engadilo a unha nova cotización. +ErrorFailedToLoadLoginFileForMode=Erro ao obter a clave de acceso para o modo '%s'. +ErrorModuleNotFound=Non se atopou o ficheiro do módulo. +ErrorFieldAccountNotDefinedForBankLine=Valor da conta maior non indicado para a liña de orixe% s (% s) +ErrorFieldAccountNotDefinedForInvoiceLine=O valor da conta do libro maior non indicado para o identificador de factura% s (% s) +ErrorFieldAccountNotDefinedForLine=Valor para a conta do libro maior non indicado para a liña (% s) +ErrorBankStatementNameMustFollowRegex=Erro, o nome do estado da conta bancaria debe seguir a seguinte regra de sintaxe% s +ErrorPhpMailDelivery=Comprobe que non usa un número elevado de destinatarios e que o seu contido de correo electrónico non é similar ao spam. Pídelle tamén ao seu administrador que comprobe os ficheiros do firewall e os rexistros do servidor para obter información máis completa. ErrorUserNotAssignedToTask=O usuario debe ser asignado á tarefa para poder ingresar o tempo consumido. ErrorTaskAlreadyAssigned=Tarefa xa asignada ao usuario ErrorModuleFileSeemsToHaveAWrongFormat=O paquete do módulo parece ter un formato incorrecto. diff --git a/htdocs/langs/gl_ES/holiday.lang b/htdocs/langs/gl_ES/holiday.lang index c2a87c5322c..60a0e5c8331 100644 --- a/htdocs/langs/gl_ES/holiday.lang +++ b/htdocs/langs/gl_ES/holiday.lang @@ -15,7 +15,7 @@ CancelCP=Anulada RefuseCP=Rexeitada ValidatorCP=Validador ListeCP=Listaxe de días libres -Leave=Pedido de días libres +Leave=Pedimento de días libres LeaveId=ID Vacacións ReviewedByCP=Será revisada por UserID=ID do Usuario @@ -35,7 +35,7 @@ ReturnCP=Voltar á páxina anterior ErrorUserViewCP=Non está autorizado a ler esta petición de días libres. InfosWorkflowCP=Información do workflow RequestByCP=Pedido por -TitreRequestCP=Pedido de días libres +TitreRequestCP=Pedimento de días libres TypeOfLeaveId=ID tipo de días libres TypeOfLeaveCode=Código tipo de días libres TypeOfLeaveLabel=Tipo de etiqueta de días libres diff --git a/htdocs/langs/gl_ES/install.lang b/htdocs/langs/gl_ES/install.lang index 2648507dbdd..6c5340991c7 100644 --- a/htdocs/langs/gl_ES/install.lang +++ b/htdocs/langs/gl_ES/install.lang @@ -37,7 +37,7 @@ IfDatabaseExistsGoBackAndCheckCreate=Se a base de datos xa existe, volte atrás WarningBrowserTooOld=A versión do navegador é antiga de mais. É moi recomendable actualizar o seu navegador a unha versión recente de Firefox, Chrome ou Opera. PHPVersion=Versión de PHP License=Usando licenza -ConfigurationFile=Arquivo de configuración +ConfigurationFile=Ficheiro de configuración WebPagesDirectory=Directorio onde se almacenan as páxinas web DocumentsDirectory=Directorio para almacenar os documentos cargados e xerados URLRoot=Raíz URL @@ -51,63 +51,63 @@ ServerAddressDescription=Nome ou enderezo IP do servidor de base de datos. Norma ServerPortDescription=Porto do servidor da base de datos. Mantéñase baleiro se o descoñece. DatabaseServer=Servidor da base de datos DatabaseName=Nome da base de datos -DatabasePrefix=Database table prefix -DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. -AdminLogin=User account for the Dolibarr database owner. -PasswordAgain=Retype password confirmation -AdminPassword=Password for Dolibarr database owner. -CreateDatabase=Create database -CreateUser=Create user account or grant user account permission on the Dolibarr database -DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. -CheckToCreateUser=Check the box if:
the database user account does not yet exist and so must be created, or
if the user account exists but the database does not exist and permissions must be granted.
In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. -DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. -KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) -SaveConfigurationFile=Saving parameters to -ServerConnection=Server connection -DatabaseCreation=Database creation -CreateDatabaseObjects=Database objects creation -ReferenceDataLoading=Reference data loading -TablesAndPrimaryKeysCreation=Tables and Primary keys creation -CreateTableAndPrimaryKey=Create table %s -CreateOtherKeysForTable=Create foreign keys and indexes for table %s -OtherKeysCreation=Foreign keys and indexes creation -FunctionsCreation=Functions creation -AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed! -PleaseTypeALogin=Please type a login! -PasswordsMismatch=Passwords differs, please try again! -SetupEnd=End of setup -SystemIsInstalled=This installation is complete. -SystemIsUpgraded=Dolibarr has been upgraded successfully. -YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (appearance, features, ...). To do this, please follow the link below: -AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. -GoToDolibarr=Go to Dolibarr -GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. -GoToUpgradePage=Go to upgrade page again -WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=IMPORTANT: You must use a directory that is outside of the web pages (so do not use a subdirectory of previous parameter). -LoginAlreadyExists=Already exists -DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. -FunctionNotAvailableInThisPHP=Not available in this PHP -ChoosedMigrateScript=Choose migration script -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) -ProcessMigrateScript=Script processing -ChooseYourSetupMode=Choose your setup mode and click "Start"... -FreshInstall=Fresh install -FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. +DatabasePrefix=Prefixo da táboa da base de datos +DatabasePrefixDescription=Prefixo da táboa da base de datos. Se está baleiro, por defecto llx_. +AdminLogin=Conta de usuario para o propietario da base de datos Dolibarr. +PasswordAgain=Voltar a escribir a confirmación do contrasinal +AdminPassword=Contrasinal para o propietario da base de datos Dolibarr. +CreateDatabase=Crear base de datos +CreateUser=Crear conta de usuario ou conceder permiso á conta de usuario na base de datos Dolibarr +DatabaseSuperUserAccess=Servidor de base de datos: acceso ao superusuario +CheckToCreateDatabase=Marque a caixa se a base de datos aínda non existe e se debe crear.
Neste caso, tamén debe cubrir o nome de usuario e o contrasinal da conta do superusuario na parte inferior desta páxina. +CheckToCreateUser=Marque a caixa se:
a conta de usuario da base de datos aínda non existe e hai que creala, ou
se a conta de usuario existe pero a base de datos non existe e deben concederse permisos.
Neste caso, debe introducir a conta de usuario e o contrasinal e tamén o nome e o contrasinal da conta do superusuario na parte inferior desta páxina. Se esta caixa está desmarcada, o propietario e o contrasinal da base de datos xa deben existir. +DatabaseRootLoginDescription=Nome da conta do superusuario (para crear novas bases de datos ou novos usuarios), obrigatorio se a base de datos ou o seu propietario non existen. +KeepEmptyIfNoPassword=Deixe en branco se o superusuario non ten contrasinal (NON se recomenda) +SaveConfigurationFile=Gardar parámetros en +ServerConnection=Conexión ao servidor +DatabaseCreation=Creación de bases de datos +CreateDatabaseObjects=Creación de obxectos de base de datos +ReferenceDataLoading=Carga de datos de referencia +TablesAndPrimaryKeysCreation=Creación de táboas e claves primarias +CreateTableAndPrimaryKey=Crear táboa %s +CreateOtherKeysForTable=Crear claves e índices foráneos para a táboa %s +OtherKeysCreation=Creación de claves e índices foráneos +FunctionsCreation=Creación de funcións +AdminAccountCreation=Creación do inicio de sesión do administrador +PleaseTypePassword=Escriba un contrasinal, non se permiten contrasinais baleiros. +PleaseTypeALogin=Prégase escriba un inicio de sesión. +PasswordsMismatch=Os contrasinais son diferentes, ténteo de novo. +SetupEnd=Fin da configuración +SystemIsInstalled=Esta instalación rematou. +SystemIsUpgraded=Dolibarr actualizouse correctamente. +YouNeedToPersonalizeSetup=Debe configurar Dolibarr para que se adapte ás súas necesidades (aspecto, características, ...). Para facelo, siga a seguinte ligazón: +AdminLoginCreatedSuccessfuly=O inicio de sesión do administrador Dolibarr '%s ' creouse correctamente. +GoToDolibarr=Ir a Dolibarr +GoToSetupArea=Ir a Dolibarr (área de configuración) +MigrationNotFinished=A versión da base de datos non está completamente actualizada: execute de novo o proceso de actualización. +GoToUpgradePage=Ir de novo á páxina de actualización +WithNoSlashAtTheEnd=Sen a barra inclinada "/" ao final +DirectoryRecommendation= IMPORTANTE : Debe empregar un directorio que está fóra das páxinas web (polo tanto, non use un subdirectorio do parámetro anterior). +LoginAlreadyExists=Xa existe +DolibarrAdminLogin=Inicio de sesión do administrador de Dolibarr +AdminLoginAlreadyExists=A conta de administrador Dolibarr '%s ' xa existe. Volte atrás se queres crear outro. +FailedToCreateAdminLogin=Produciuse un fallo ao crear a conta de administrador de Dolibarr. +WarningRemoveInstallDir=Aviso, por motivos de seguridade, unha vez finalizada a instalación ou actualización, debería engadir un ficheiro chamado install.lock ao directorio do documento Dolibarr para evitar o uso accidental/malicioso da instalación ferramentas de novo. +FunctionNotAvailableInThisPHP=Non dispoñible neste PHP +ChoosedMigrateScript=Escolla un script de migración +DataMigration=Migración da base de datos (datos) +DatabaseMigration=Migración da base de datos (estrutura + algúns datos) +ProcessMigrateScript=Procesamento de scripts +ChooseYourSetupMode=Elixa o seu modo de configuración e faga clic en "Inicio" ... +FreshInstall=Instalación nova +FreshInstallDesc=Use este modo se esta é a súa primeira instalación. Se non, este modo pode reparar unha instalación anterior incompleta. Se desexa actualizar a súa versión, escolla o modo "Actualizar". Upgrade=Actualización UpgradeDesc=Utilice este modo se substituíu ficheiros Dolibarr antigos por ficheiros dunha versión máis recente. Isto actualizará a súa base de datos e os datos. -Start=Start +Start=Inciciar InstallNotAllowed=A configuración non está permitida polos permisos en conf.php YouMustCreateWithPermission=Debe crear o ficheiro %s e establecer permisos de escritura nel para o servidor web durante o proceso de instalación. CorrectProblemAndReloadPage=Corrixa o problema e prema F5 para recargar a páxina. -AlreadyDone=Already migrated +AlreadyDone=Xa migrou DatabaseVersion=Versión da base de datos ServerVersion=Versión do servidor de base de datos YouMustCreateItAndAllowServerToWrite=Debe crear este directorio e permitir que o servidor web escriba nel. @@ -136,7 +136,7 @@ MigrationFinished=Rematou a migración LastStepDesc=​​= Último paso : defina aquí o inicio de sesión e o contrasinal que desexa usar para conectarse a Dolibarr. Non o perda xa que é a conta principal para administrar todas as outras contas de usuario/ adicionais. ActivateModule=Activar o módulo %s ShowEditTechnicalParameters=Faga clic aquí para amosar/editar parámetros avanzados (modo experto) -WarningUpgrade=Aviso: \n Xestionou primeiro unha copia de seguridade da base de datos? \\ Esto é moi recomendable. A perda de datos (por exemplo, erros na versión 5.5.40 /41/42/43 de mysql) pode ser posible durante este proceso, polo que é esencial facer unha descarga completa da súa base de datos antes de iniciar calquera migración. \n \n Prema Aceptar para iniciar o proceso de migración ... +WarningUpgrade=Aviso: \n Xestionou primeiro unha copia de seguridade da base de datos? \n Esto é moi recomendable. A perda de datos (por exemplo, erros na versión 5.5.40 /41/42/43 de mysql) pode ser posible durante este proceso, polo que é esencial facer unha descarga completa da súa base de datos antes de iniciar calquera migración. \n \n Prema Aceptar para iniciar o proceso de migración ... ErrorDatabaseVersionForbiddenForMigration=A súa versión de base de datos é %s. Ten un erro crítico, o que fai posible a perda de datos se realiza cambios estruturais na súa base de datos, como o require o proceso de migración. Por esta razón, a migración non se permitirá ata que actualice a base de datos a unha versión mayor sin errores (parcheada) (lista de versiónscoñecidas con este erro: %s) KeepDefaultValuesWamp=Usou o asistente de configuración Dolibarr de DoliWamp, polo que os valores aquí propostos xa están optimizados. Cambialos só se sabe o que fai. KeepDefaultValuesDeb=Usou o asistente de configuración Dolibarr desde un paquete Linux (Ubuntu, Debian, Fedora ...), polo que os valores aquí propostos xa están optimizados. Só se debe introducir o contrasinal do propietario da base de datos para crear. Cambia outros parámetros só se sabe o que fai. @@ -149,8 +149,8 @@ NothingToDo=Nothing to do ######### # upgrade MigrationFixData=Corrección de datos desnormalizados -MigrationOrder=Migración de datos para os pedidos do cliente -MigrationSupplierOrder=Migración de datos para os pedidos do provedor +MigrationOrder=Migración de datos para os pedimentos a cliente +MigrationSupplierOrder=Migración de datos para os pedimentos de provedor MigrationProposal=Migración de datos para propostas comerciais MigrationInvoice=Migración de datos para as facturas do cliente MigrationContract=Migración de datos para contratos diff --git a/htdocs/langs/gl_ES/interventions.lang b/htdocs/langs/gl_ES/interventions.lang index 1da7ca6210a..54d0c50751f 100644 --- a/htdocs/langs/gl_ES/interventions.lang +++ b/htdocs/langs/gl_ES/interventions.lang @@ -1,68 +1,68 @@ # Dolibarr language file - Source file is en_US - interventions Intervention=Intervención Interventions=Intervencións -InterventionCard=Intervention card -NewIntervention=New intervention +InterventionCard=Ficha intervención +NewIntervention=Nova intervención AddIntervention=Crear intervención -ChangeIntoRepeatableIntervention=Change to repeatable intervention -ListOfInterventions=List of interventions -ActionsOnFicheInter=Actions on intervention -LastInterventions=Latest %s interventions -AllInterventions=All interventions +ChangeIntoRepeatableIntervention=Cambiar a intervención recorrente. +ListOfInterventions=Listaxe de intervencións +ActionsOnFicheInter=Eventos sobre a intervención +LastInterventions=Últimas %s Intervencións +AllInterventions=Todas as intervencións CreateDraftIntervention=Crear borrador -InterventionContact=Intervention contact -DeleteIntervention=Delete intervention -ValidateIntervention=Validate intervention -ModifyIntervention=Modify intervention -DeleteInterventionLine=Delete intervention line -ConfirmDeleteIntervention=Are you sure you want to delete this intervention? -ConfirmValidateIntervention=Are you sure you want to validate this intervention under name %s? -ConfirmModifyIntervention=Are you sure you want to modify this intervention? -ConfirmDeleteInterventionLine=Are you sure you want to delete this intervention line? -ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: -DocumentModelStandard=Standard document model for interventions -InterventionCardsAndInterventionLines=Interventions and lines of interventions -InterventionClassifyBilled=Classify "Billed" -InterventionClassifyUnBilled=Classify "Unbilled" -InterventionClassifyDone=Classify "Done" +InterventionContact=Contacto intervención +DeleteIntervention=Eliminar intervención +ValidateIntervention=Validar intervención +ModifyIntervention=Modificar intervención +DeleteInterventionLine=Eliminar liña de intervención +ConfirmDeleteIntervention=¿Está certo de querer eliminar esta intervención? +ConfirmValidateIntervention=¿Está certo de querer validar esta intervención baixo o nome %s? +ConfirmModifyIntervention=¿Está ceto de querer modificar esta intervención? +ConfirmDeleteInterventionLine=¿Está certo de querer eliminar esta liña da intervención? +ConfirmCloneIntervention=¿Está certo de querer clonar esta intervención? +NameAndSignatureOfInternalContact=Nome e sinatura do participante: +NameAndSignatureOfExternalContact=Nome e sinatura do cliente: +DocumentModelStandard=Documento modelo estándar para intervencións +InterventionCardsAndInterventionLines=Intervencións e liñas de intervención +InterventionClassifyBilled=Clasificar "Facturada" +InterventionClassifyUnBilled=Clasificar "Non facturada" +InterventionClassifyDone=Clasificar "Realizada" StatusInterInvoiced=Facturado -SendInterventionRef=Submission of intervention %s -SendInterventionByMail=Send intervention by email -InterventionCreatedInDolibarr=Intervention %s created -InterventionValidatedInDolibarr=Intervention %s validated -InterventionModifiedInDolibarr=Intervention %s modified -InterventionClassifiedBilledInDolibarr=Intervention %s set as billed -InterventionClassifiedUnbilledInDolibarr=Intervention %s set as unbilled -InterventionSentByEMail=Intervención %s enviada por e-mail -InterventionDeletedInDolibarr=Intervention %s deleted -InterventionsArea=Interventions area -DraftFichinter=Draft interventions +SendInterventionRef=Envío da intervención %s +SendInterventionByMail=Enviar intervención por correo electrónico +InterventionCreatedInDolibarr=Intervención %s creada +InterventionValidatedInDolibarr=Intervención %s validada +InterventionModifiedInDolibarr=Intervención %s modificada +InterventionClassifiedBilledInDolibarr=Intervención %s clasificada como facturada +InterventionClassifiedUnbilledInDolibarr=Intervención %s clasificada como non facturada +InterventionSentByEMail=Intervención %s enviada por correo electrónico +InterventionDeletedInDolibarr=Intervención %s eliminada +InterventionsArea=Área intervencións +DraftFichinter=Intervencións borrador LastModifiedInterventions=Últimas %s intervencións modificadas -FichinterToProcess=Interventions to process -TypeContact_fichinter_external_CUSTOMER=Following-up customer contact -PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card -PrintProductsOnFichinterDetails=interventions generated from orders -UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records -InterventionStatistics=Statistics of interventions -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. -InterId=Intervention id -InterRef=Intervention ref. -InterDateCreation=Date creation intervention -InterDuration=Duration intervention -InterStatus=Status intervention -InterNote=Note intervention -InterLine=Line of intervention -InterLineId=Line id intervention -InterLineDate=Line date intervention -InterLineDuration=Line duration intervention -InterLineDesc=Line description intervention -RepeatableIntervention=Template of intervention -ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template -Reopen=Reopen -ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? +FichinterToProcess=Intervencións a procesar +TypeContact_fichinter_external_CUSTOMER=Seguimento do contacto co cliente +PrintProductsOnFichinter=Imprimir tamén as liñas de tipo "produto" (non só servizos) nas fichas de intervención +PrintProductsOnFichinterDetails=Intervencións xeradas desde pedimentos +UseServicesDurationOnFichinter=Usar a duración dos servizos para as intervencións xradas desde os pedimentos +UseDurationOnFichinter=Oculta o campo de duración para os rexistros de intervención +UseDateWithoutHourOnFichinter=Oculta horas e minutos fora do campo de data para os registros de intervención +InterventionStatistics=Estatísticas de intervencións +NbOfinterventions=Nº de fichas de intervención +NumberOfInterventionsByMonth=Nº de fichas de intervención por mes (data de validación) +AmountOfInteventionNotIncludedByDefault=A cantidade de intervención non se inclúe por defecto no beneficio (na maioría dos casos, as follas de traballo úsanse para contar o tempo empregado). Engade a opción PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT a 1 en home-setup-other para incluílas. +InterId=Id. intervención +InterRef=Ref. intervención +InterDateCreation=Data creación intervención +InterDuration=Duración intervención +InterStatus=Estado intervención +InterNote=Nota intervención +InterLine=Liña de intervención +InterLineId=Id. liña intervención +InterLineDate=Data liña intervención +InterLineDuration=Duración liña intervención +InterLineDesc=Descrición liña intervención +RepeatableIntervention=Modelo de intervención +ToCreateAPredefinedIntervention=Para crear unha intervención predefinida ou recorrente, cree unha intervención común e converta +Reopen=Abrir de novo +ConfirmReopenIntervention=Estás certo de que queres abrir de novo a intervención %s? diff --git a/htdocs/langs/gl_ES/ldap.lang b/htdocs/langs/gl_ES/ldap.lang index 7957050d002..51bb44de08c 100644 --- a/htdocs/langs/gl_ES/ldap.lang +++ b/htdocs/langs/gl_ES/ldap.lang @@ -1,27 +1,27 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Password for user %s on the domain %s must be changed. -UserMustChangePassNextLogon=User must change password on the domain %s -LDAPInformationsForThisContact=Information in LDAP database for this contact -LDAPInformationsForThisUser=Information in LDAP database for this user -LDAPInformationsForThisGroup=Information in LDAP database for this group -LDAPInformationsForThisMember=Information in LDAP database for this member -LDAPInformationsForThisMemberType=Information in LDAP database for this member type -LDAPAttributes=LDAP attributes -LDAPCard=LDAP card -LDAPRecordNotFound=Record not found in LDAP database -LDAPUsers=Users in LDAP database +YouMustChangePassNextLogon=Débese cambiar o contrasinal do usuario %s no dominio %s . +UserMustChangePassNextLogon=O usuario debe cambiar o contrasinal no dominio %s +LDAPInformationsForThisContact=Información na base de datos LDAP deste contacto +LDAPInformationsForThisUser=Información na base de datos LDAP para este usuario +LDAPInformationsForThisGroup=Información na base de datos LDAP para este grupo +LDAPInformationsForThisMember=Información na base de datos LDAP para este membro +LDAPInformationsForThisMemberType=Información na base de datos LDAP para este tipo de membro +LDAPAttributes=Atributos LDAP +LDAPCard=Tarxeta LDAP +LDAPRecordNotFound=Non se atopou o rexistro na base de datos LDAP +LDAPUsers=Usuarios na base de datos LDAP LDAPFieldStatus=Estado -LDAPFieldFirstSubscriptionDate=First subscription date -LDAPFieldFirstSubscriptionAmount=First subscription amount -LDAPFieldLastSubscriptionDate=Data da última cotización -LDAPFieldLastSubscriptionAmount=Latest subscription amount -LDAPFieldSkype=Skype id -LDAPFieldSkypeExample=Example: skypeName -UserSynchronized=User synchronized -GroupSynchronized=Group synchronized -MemberSynchronized=Member synchronized -MemberTypeSynchronized=Member type synchronized -ContactSynchronized=Contact synchronized -ForceSynchronize=Force synchronizing Dolibarr -> LDAP -ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility. -PasswordOfUserInLDAP=Password of user in LDAP +LDAPFieldFirstSubscriptionDate=Data da primeira cotización +LDAPFieldFirstSubscriptionAmount=Importe da primeira cotización +LDAPFieldLastSubscriptionDate=Datos da última cotización +LDAPFieldLastSubscriptionAmount=Importe da última cotización +LDAPFieldSkype=ID de Skype +LDAPFieldSkypeExample=Exemplo: skypeName +UserSynchronized=Usuario sincronizado +GroupSynchronized=Grupo sincronizado +MemberSynchronized=Membro sincronizado +MemberTypeSynchronized=Tipo de membro sincronizado +ContactSynchronized=Contacto sincronizado +ForceSynchronize=Forzar a sincronización Dolibarr -> LDAP +ErrorFailedToReadLDAP=Fallou ao ler a base de datos LDAP. Comprobe a configuración do módulo LDAP e a accesibilidade á base de datos. +PasswordOfUserInLDAP=Contrasinal do usuario en LDAP diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang index c4ce3745b6a..fb98fa2a871 100644 --- a/htdocs/langs/gl_ES/main.lang +++ b/htdocs/langs/gl_ES/main.lang @@ -39,18 +39,18 @@ Error=Erro Errors=Errores ErrorFieldRequired=O campo '%s' é obrigatorio ErrorFieldFormat=O campo '%s' ten un valor incorrecto -ErrorFileDoesNotExists=O arquivo %s non existe -ErrorFailedToOpenFile=Fallou ao abrir o arquivo %s +ErrorFileDoesNotExists=O ficheiro %s non existe +ErrorFailedToOpenFile=Fallou ao abrir o ficheiro %s ErrorCanNotCreateDir=Non pode crear o directorio %s ErrorCanNotReadDir=Non pode ler o directorio %s ErrorConstantNotDefined=Parámetro %s non definido ErrorUnknown=Erro descoñecido ErrorSQL=Erro de SQL -ErrorLogoFileNotFound=O arquivo do logo '%s' non atópase +ErrorLogoFileNotFound=O ficheiro do logo '%s' non atópase ErrorGoToGlobalSetup=Vaia á configuración 'Empresa/Organización' para corrixir isto ErrorGoToModuleSetup=Vaia á configuración do módulo para corrixir isto ErrorFailedToSendMail=Erro no envío do e-mail (emisor=%s, destinatario=%s) -ErrorFileNotUploaded=Non foi posible actualizar o arquivo. Revisa que o tamaño non excede o máximo permitido, que hai espazo libre no disco e que non hai xa un arquivo co mesmo nome no directorio. +ErrorFileNotUploaded=Non foi posible actualizar o ficheiro. Revisa que o tamaño non excede o máximo permitido, que hai espazo libre no disco e que non hai xa un ficheiro co mesmo nome no directorio. ErrorInternalErrorDetected=Erro detectado ErrorWrongHostParameter=Parámetro do servidor erroneo ErrorYourCountryIsNotDefined=O seu país non está definido. Vaia ao Inicio-Configuración-Edición e cubra novamente o formulario @@ -61,7 +61,7 @@ ErrorNoRequestInError=Ningunha petición con erro ErrorServiceUnavailableTryLater=Servizo non dispoñible actualmente. Ténteo de novo mais tarde. ErrorDuplicateField=Valor duplicado nun único campo ErrorSomeErrorWereFoundRollbackIsDone=Atopáronse algúns erros. Modificacións desfeitas. -ErrorConfigParameterNotDefined=O parámetro %s no está definido no arquivo de configuración Dolibarr conf.php. +ErrorConfigParameterNotDefined=O parámetro %s no está definido no ficheiro de configuración Dolibarr conf.php. ErrorCantLoadUserFromDolibarrDatabase=Imposible atopar ao usuario %s na base de datos Dolibarr. ErrorNoVATRateDefinedForSellerCountry=Error, ningún tipo de IVE definido para o país '%s'. ErrorNoSocialContributionForSellerCountry=Erro, ningún tipo de taxa social/fiscal definida para o país '%s'. @@ -77,17 +77,17 @@ ClickHere=Faga clic aquí Here=Aquí Apply=Aplicar BackgroundColorByDefault=Cor de fondo por defecto -FileRenamed=O arquivo foi renomeado correctamente -FileGenerated=O arquivo fo xerado correctamente -FileSaved=O arquivo foi gardado correctamente -FileUploaded=O arquivo subiuse correctamente +FileRenamed=O ficheiro foi renomeado correctamente +FileGenerated=O ficheiro fo xerado correctamente +FileSaved=O ficheiro foi gardado correctamente +FileUploaded=O ficheiro subiuse correctamente FileTransferComplete=Ficheiro(s) subidos(s) correctamente FilesDeleted=Ficheiros(s) eliminados correctamente -FileWasNotUploaded=Un ficheiro foi seleccionado para axuntar, pero ainda non foi subido. Faga clic en "Axuntar este arquivo" para subilo. +FileWasNotUploaded=Un ficheiro foi seleccionado para axuntar, pero ainda non foi subido. Faga clic en "Axuntar este ficheiro" para subilo. NbOfEntries=Nº de entradas GoToWikiHelpPage=Ler a axuda en liña (é preciso acceso a Internet ) GoToHelpPage=Ler a axuda -DedicatedPageAvailable=Hai unha páxina adicada de axuda relacionada coa pantalla actual +DedicatedPageAvailable=Esta é unha páxina de axuda adicada relacionada coa pantalla actual HomePage=Páxina Inicio RecordSaved=Rexistro gardado RecordDeleted=Rexistro eliminado @@ -113,7 +113,7 @@ RequestLastAccessInError=Último acceso á base de datos con erro na solicitude ReturnCodeLastAccessInError=Código de retorno de acceso á base de datos con erro para a última petición InformationLastAccessInError=Información do último erro de petición de acceso de base de datos DolibarrHasDetectedError=Dolibarr detectou un erro técnico -YouCanSetOptionDolibarrMainProdToZero=Pode ler o arquivo log ou establecer a opción $dolibarr_main_prod a '0' no seu arquivo de configuración para obter mais información. +YouCanSetOptionDolibarrMainProdToZero=Pode ler o ficheiro log ou establecer a opción $dolibarr_main_prod a '0' no seu ficheiro de configuración para obter mais información. InformationToHelpDiagnose=Esta información pode ser útil para propstas de diagnóstico (pode configurar a opción $dolibarr_main_prod to '1' para eliminar as notificacións) MoreInformation=Mais información TechnicalInformation=Información técnica @@ -198,7 +198,7 @@ Valid=Validar Approve=Aprobar Disapprove=Desaprobar ReOpen=Reabrir -Upload=Actualizar arquivo +Upload=Actualizar ficheiro ToLink=Ligazón Select=Seleccionar SelectAll=Seleccionar todo @@ -625,7 +625,7 @@ File=Ficheiro Files=Ficheiros NotAllowed=Non autorizado ReadPermissionNotAllowed=Sen permisos de lectura -AmountInCurrency=Importes en %s moeda +AmountInCurrency=Importes en %s (Moeda) Example=Exemplo Examples=Exemplos NoExample=Sen exemplo @@ -673,7 +673,7 @@ NotSent=Non enviado TextUsedInTheMessageBody=Texto no corpo da mensaxe SendAcknowledgementByMail=Enviar correo de confirmación SendMail=Enviar correo -Email=E-mail +Email=Correo electrónico NoEMail=Sen e-mail AlreadyRead=Xá lido NotRead=Non lido @@ -742,7 +742,7 @@ Informations=Información Page=Páxina Notes=Notas AddNewLine=Engadir nova liña -AddFile=Engadir arquivo +AddFile=Engadir ficheiro FreeZone=Sen produtos/servizos predefinidos FreeLineOfType=Entrada libre, tipo: CloneMainAttributes=Clonar o obxecto con estes atributos principais @@ -829,7 +829,7 @@ SelectAction=Seleccione acción SelectTargetUser=Seleccionar usuario/empregado de destino HelpCopyToClipboard=Use Ctrl+C para copiar ao portapapeis SaveUploadedFileWithMask=Gardar o ficheiro no servidor co nome "%s" (senón "%s") -OriginFileName=Nome do arquivo orixe +OriginFileName=Nome do ficheiro orixe SetDemandReason=Definir orixe SetBankAccount=Definir conta bancaria AccountCurrency=Moeda da conta @@ -866,8 +866,8 @@ ErrorPDFTkOutputFileNotFound=Erro: o ficheiro non foi xerado. Comprobe que o com 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 -MassFilesArea=Área de arquivos xerados por accións masivas -ShowTempMassFilesArea=Amosar área de arquivos xerados por accións masivas +MassFilesArea=Área de ficheiros xerados por accións masivas +ShowTempMassFilesArea=Amosar área de ficheiros xerados por accións masivas ConfirmMassDeletion=Confirmación borrado masivo ConfirmMassDeletionQuestion=¿Estás certo de querer eliminar os %s rexistro(s) seleccionado(s)? RelatedObjects=Obxectos relacionados diff --git a/htdocs/langs/gl_ES/members.lang b/htdocs/langs/gl_ES/members.lang index 97861ae2a0e..aefe3b7e52d 100644 --- a/htdocs/langs/gl_ES/members.lang +++ b/htdocs/langs/gl_ES/members.lang @@ -11,7 +11,7 @@ MembersTickets=Etiquetas membros FundationMembers=Membros da asociación ListOfValidatedPublicMembers=Listaxe de membros públicos validados ErrorThisMemberIsNotPublic=Este membro non é público -ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro (nombre: %s, login: %s) está ligado ao terceiro %s. Elimine a ligazón existente xa que un terceiro só pode estar ligado a un só membro (e viceversa). +ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro (nome: %s, login: %s) está ligado ao terceiro %s. Elimine a ligazón existente xa que un terceiro só pode estar ligado a un só membro (e viceversa). ErrorUserPermissionAllowsToLinksToItselfOnly=Por razóns de seguridade, debe posuir os dereitos de modificación de todos os usuarios para poder ligar un membro a un usuario que non sexa vostede mesmo mesmo. SetLinkToUser=Ligar a un usuario Dolibarr SetLinkToThirdParty=Ligar a un terceiro Dolibarr @@ -20,7 +20,7 @@ MembersList=Listaxe de membros MembersListToValid=Listaxe de membros borrador (a validar) MembersListValid=Listaxe de membros validados MembersListUpToDate=Lista de membros válidos con subscrición actualizada -MembersListNotUpToDate=Lista de membros válidos con data vencida na subscrición +MembersListNotUpToDate=Lista de membros válidos con data vencida na subscrición MembersListResiliated=Listaxe dos membros dados de baixa MembersListQualified=Listaxe dos membros cualificados MenuMembersToValidate=Membros borrador @@ -64,23 +64,23 @@ ConfirmDeleteMemberType=¿Está certo de querer eliminar este tipo de membro? MemberTypeDeleted=Tipo de membro eliminado MemberTypeCanNotBeDeleted=O tipo de membro non pode ser eliminado NewSubscription=Nova afiliación -NewSubscriptionDesc=Utilice este formulario para rexistrarse como un novo membro daa asociación. Para unha renovación, se xa é membro, póñase en contacto coa asociación ao través do mail %s. +NewSubscriptionDesc=Utilice este formulario para rexistrarse como un novo membro da asociación. Para unha renovación, se xa é membro, póñase en contacto coa asociación ao través do mail %s. Subscription=Afiliación Subscriptions=Afiliacións SubscriptionLate=En atraso SubscriptionNotReceived=Afiliación non recibida ListOfSubscriptions=Listaxe de afiliacións -SendCardByMail=Enviar ficha por mail +SendCardByMail=Enviar ficha por correo electrónico AddMember=Crear membro NoTypeDefinedGoToSetup=Ningún tipo de membro definido. Vaia a Configuración -> Tipos de membros NewMemberType=Novo tipo de membro WelcomeEMail=E-mail -SubscriptionRequired=Precisa afilición +SubscriptionRequired=Precisa afiliación DeleteType=Eliminar VoteAllowed=Voto autorizado Physical=Físico Moral=Xurídico -MorAndPhy=Moral e Físico +MorAndPhy=Xurídico e Físico Reenable=Reactivar ResiliateMember=Dar de baixa a un membro ConfirmResiliateMember=¿Está certo de querer dar de baixa a este membro? diff --git a/htdocs/langs/gl_ES/modulebuilder.lang b/htdocs/langs/gl_ES/modulebuilder.lang index 92f08b0ccbf..c5e4535245b 100644 --- a/htdocs/langs/gl_ES/modulebuilder.lang +++ b/htdocs/langs/gl_ES/modulebuilder.lang @@ -1,143 +1,143 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) -EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. -ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory +ModuleBuilderDesc=Esta ferramenta só debe ser usada por usuarios ou desenvolvedores experimentados. Ofrece utilidades para construír ou editar o seu propio módulo. Aquí está a documentación para o desenvolvemento manual alternativo . +EnterNameOfModuleDesc=Introduza o nome do módulo/aplicación a crear sen espazos. Use maiúsculas para separar palabras (por exemplo: MyModule, EcommerceForShop, SyncWithMySystem ...) +EnterNameOfObjectDesc=Introduza o nome do obxecto a crear sen espazos. Use maiúsculas para separar palabras (por exemplo: MyObject, Student, Teacher ...). Xerarase o ficheiro de clase CRUD, pero tamén o ficheiro API, páxinas para listar/engadir/editar/eliminar obxectos e ficheiros SQL. +ModuleBuilderDesc2=Ruta onde se xeran/editan os módulos (primeiro directorio para módulos externos definidos en %s): %s +ModuleBuilderDesc3=Atopáronse módulos xerados/editables: %s +ModuleBuilderDesc4=Detéctase un módulo como "editable" cando o ficheiro %s existe no raíz do directorio do módulo NewModule=Novo -NewObjectInModulebuilder=New object -ModuleKey=Module key -ObjectKey=Object key -ModuleInitialized=Module initialized -FilesForObjectInitialized=Files for new object '%s' initialized -FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) -ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! -DangerZone=Danger zone -BuildPackage=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 -ModuleIsLive=This module has been activated. Any change may break a current live feature. -DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -PageForCreateEditView=PHP page to create/edit/view a record -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation (%s) -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Force update of .class and .sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language -ObjectProperties=Object Properties -ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' -DatabaseIndex=Database index -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values -WidgetFile=Widget file -CSSFile=CSS file -JSFile=Javascript file -ReadmeFile=Readme file -ChangeLog=ChangeLog file -TestClassFile=File for PHP Unit Test class -SqlFile=Sql file -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -SqlFileKeyExtraFields=Sql file for keys of complementary attributes -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=API explorer -ListOfMenusEntries=List of menu entries -ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=List of defined permissions -SeeExamples=See examples here -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 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 -IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module -DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=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. -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code you want to execute for each business event executed. -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
Enable the module %s and use the wizard by clicking the on the top right menu.
Warning: This is an advanced developer feature, do not experiment on your production site! -SeeTopRightMenu=See on the top right menu -AddLanguageFile=Add language file -YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted -InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disable the about page -UseDocFolder=Disable the documentation folder -UseSpecificReadme=Use a specific ReadMe -ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of ModuleBuilder. -RealPathOfModule=Real path of module -ContentCantBeEmpty=Content of file can't be empty -WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. -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 -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 -TableNotEmptyDropCanceled=Table not empty. Drop has been canceled. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. +NewObjectInModulebuilder=Novo obxecto +ModuleKey=Chave de módulo +ObjectKey=Chave do obxecto +ModuleInitialized=Módulo inicializado +FilesForObjectInitialized=Os ficheiros do novo obxecto '%s' inicializados +FilesForObjectUpdated=Actualizáronse os ficheiros do obxecto '%s' (ficheiros .sql e ficheiro .class.php) +ModuleBuilderDescdescription=Introduza aquí toda a información xeral que describe o seu módulo. +ModuleBuilderDescspecifications=Pode introducir aquí unha descrición detallada das especificacións do seu módulo que aínda non están estruturadas noutras lapelas. Entón ten ao seu alcance todas as regras a desenvolver. Este contido de texto tamén se incluirá na documentación xerada (ver última lapela). Podes usar o formato Markdown, pero recoméndase usar o formato Asciidoc (comparación entre .md e .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=Defina aquí os obxectos que desexa xestionar co seu módulo. Xerarase unha clase DAO CRUD, ficheiros SQL, páxina para listar o rexistro de obxectos, para crear/editar/ver un rexistro e unha API. +ModuleBuilderDescmenus=Esta guía está adicada a definir as entradas de menú proporcionadas polo seu módulo. +ModuleBuilderDescpermissions=Esta guía está adicada a definir os novos permisos que desexa proporcionar co seu módulo. +ModuleBuilderDesctriggers=Esta é a vista dos triggers proporcionados polo seu módulo. Para incluír o código executado cando se inicia un evento comercial desencadeado, só ten que editar este ficheiro. +ModuleBuilderDeschooks=Esta lapela está adicada aos hooks. +ModuleBuilderDescwidgets=Esta guía está adicada a xestionar/construír widgets. +ModuleBuilderDescbuildpackage=Pode xerar aquí un ficheiro de paquete "listo para distribuír" (un ficheiro .zip normalizado) do seu módulo e un ficheiro de documentación "listo para distribuír". Só ten que facer clic no botón para crear o paquete ou o ficheiro de documentación. +EnterNameOfModuleToDeleteDesc=Pode eliminar o seu módulo. AVISO: Eliminaranse todos os ficheiros de codificación do módulo (xerados ou creados manualmente) E os datos estruturados e a documentación. +EnterNameOfObjectToDeleteDesc=Pode eliminar un obxecto. AVISO: Eliminaranse todos os ficheiros de codificación (xerados ou creados manualmente) relacionados co obxecto. +DangerZone=Zona de perigo +BuildPackage=Construír o paquete +BuildPackageDesc=Pode xerar un paquete zip da súa aplicación para que estea listo para distribuílo en calquera Dolibarr. Tamén podes distribuílo ou vendelo no mercado como DoliStore.com . +BuildDocumentation=Documentación de compilación +ModuleIsNotActive=Este módulo aínda non está activado. Vaia a %s para activalo ou faga clic aquí +ModuleIsLive=Este módulo activouse. Calquera cambio pode romper unha función activa actualmente. +DescriptionLong=Descrición longa +EditorName=Nome do editor +EditorUrl=URL do editor +DescriptorFile=Ficheiro descriptor do módulo +ClassFile=Arquivo para a clase PHP DAO CRUD +ApiClassFile=Ficheiro para a clase PHP API +PageForList=Páxina PHP para a lista de rexistros +PageForCreateEditView=Páxina PHP para crear/editar/ver un rexistro +PageForAgendaTab=Páxina PHP para a lapela de evento +PageForDocumentTab=Páxina PHP para a lapela de documento +PageForNoteTab=Páxina PHP para o separador de notas +PageForContactTab=Páxina PHP para o separador de contacto +PathToModulePackage=Ruta ao zip do paquete de módulo/aplicación +PathToModuleDocumentation=Ruta ao ficheiro da documentación do módulo/aplicación (%s) +SpaceOrSpecialCharAreNotAllowed=Non se permiten espazos nin caracteres especiais. +FileNotYetGenerated=O ficheiro aínda non foi xerado +RegenerateClassAndSql=Forzar a actualización dos ficheiros .class e .sql +RegenerateMissingFiles=Xerar ficheiros que faltan +SpecificationFile=Arquivo de documentación +LanguageFile=Ficheiro para o idioma +ObjectProperties=Propiedades do obxecto +ConfirmDeleteProperty=Está certo de que quere eliminar a propiedade %s ? Isto cambiará o código na clase PHP pero tamén eliminará a columna da definición de obxecto da táboa. +NotNull=Non NULO +NotNullDesc=1= Establecer a base de datos como NOT NULL. -1= Permitir valores nulos e forzar o valor NULL se está baleiro ('' ou 0). +SearchAll=Usado para "buscar todo" +DatabaseIndex=Índice da base de datos +FileAlreadyExists=O ficheiro %s xa existe +TriggersFile=Ficheiro para o código de trigger +HooksFile=Ficheiro para o código de hooks +ArrayOfKeyValues=​​= Matriz de chave-valor +ArrayOfKeyValuesDesc=Matriz de chaves e valores se o campo é unha lista combinada con valores fixos +WidgetFile=Ficheiro widget +CSSFile=Ficheiro CSS +JSFile=Ficheiro Javascript +ReadmeFile=Ficheiro Léame +ChangeLog=Ficheiro ChangeLog +TestClassFile=Ficheiro para a clase PHP Test +SqlFile=Ficheiro SQL +PageForLib=Ficheiro para a biblioteca común de PHP +PageForObjLib=Ficheiro da biblioteca PHP dedicado a obxectos +SqlFileExtraFields=Ficheiro SQL para atributos complementarios +SqlFileKey=Ficheiro SQL para chaves +SqlFileKeyExtraFields=Ficheiro SQL para chaves de atributos complementarios +AnObjectAlreadyExistWithThisNameAndDiffCase=Xa existe un obxecto con este nome e un caso diferente +UseAsciiDocFormat=Pode usar o formato Markdown, pero recoméndase usar o formato Asciidoc (comparación entre .md e .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=É unha medida +DirScanned=Directorio analizado +NoTrigger=Non hai trigger +NoWidget=Non hai widget +GoToApiExplorer=Explorador de API +ListOfMenusEntries=Listaxe de entradas de menú +ListOfDictionariesEntries=Listaxe de entradas de dicionarios +ListOfPermissionsDefined=Listaxe de permisos definidos +SeeExamples=Ver exemplos aquí +EnabledDesc=Condición para ter activo este campo (Exemplos: 1 ou $ conf-> global-> MYMODULE_MYOPTION) +VisibleDesc=¿É visible o campo? (Exemplos: 0= Nunca visible, 1= Visible na lista e crear/actualizar/ver formularios, 2= Visible só na lista, 3= Visible só na forma de crear/actualizar/ver (non lista), 4= Visible na lista e actualizar/ver formulario só (non crear), 5= Visible só no formulario de visualización final da lista (non crear, non actualizar).

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

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

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

Para liñas de documento:
0= non amosado
1= amosado nunha columna
3= amosado en liña columna de descrición despois da descrición
4= amosar na columna de descrición despois da descrición só se non está baleira +DisplayOnPdf=Amosar en PDF +IsAMeasureDesc=¿Pódese acumular o valor do campo para obter un total na lista? (Exemplos: 1 ou 0) +SearchAllDesc=¿O campo utilízase para facer unha procura desde a ferramenta de busca rápida? (Exemplos: 1 ou 0) +SpecDefDesc=Introduza aquí toda a documentación que desexa proporcionar co seu módulo que non estexa xa definida por outras pestanas. Pode usar .md ou mellor, a rica sintaxe .asciidoc. +LanguageDefDesc=Introduza neste ficheiro toda a clave e a tradución para cada ficheiro de idioma. +MenusDefDesc=Defina aquí os menús proporcionados polo seu módulo +DictionariesDefDesc=Defina aquí os dicionarios proporcionados polo seu módulo +PermissionsDefDesc=Defina aquí os novos permisos proporcionados polo seu módulo +MenusDefDescTooltip=Os menús proporcionados polo seu módulo/aplicación están definidos no array $this->menús no ficheiro descriptor do módulo. Pode editar este ficheiro manualmente ou usar o editor incrustado.

Nota: Unha vez definido (e reactivado o módulo), os menús tamén son visibles no editor de menú dispoñible para os usuarios administradores en %s. +DictionariesDefDescTooltip=Os dicionarios proporcionados polo seu módulo/aplicación están definidos no array $this->dicionarios no ficheiro descriptor do módulo. Pode editar este ficheiro manualmente ou usar o editor incrustado.

Nota: Unha vez definido (e reactivado o módulo), os dicionarios tamén son visibles na área de configuración para os usuarios administradores en %s. +PermissionsDefDescTooltip=Os permisos proporcionados polo seu módulo/aplicación defínense no array $this->rights no ficheiro descriptor do módulo. Pode editar este ficheiro manualmente ou usar o editor incrustado.

Nota: Unha vez definido (e reactivado o módulo), os permisos son visibles na configuración de permisos predeterminada %s. +HooksDefDesc=Define na propiedade module_parts ['hooks'] , no descriptor do módulo, o contexto dos hooks que desexa xestionar (a listaxe de contextos pódese atopar mediante unha busca en ' initHooks ( 'no código principal).
Edite o ficheiro de hooks para engadir o código das funcións (as funcións pódense atopar mediante unha busca en' executeHooks 'no código principal). +TriggerDefDesc=Defina no ficheiro de activación o código que desexa executar para cada evento empresarial executado. +SeeIDsInUse=Ver identificacións en uso na súa instalación +SeeReservedIDsRangeHere=Ver o rango de identificacións reservadas +ToolkitForDevelopers=Kit de ferramentas para desenvolvedores Dolibarr +TryToUseTheModuleBuilder=Se ten coñecemento de SQL e PHP, pode empregar o asistente para o creador de módulos nativos.
Active o módulo %s e use o asistente facendo clic no no menú superior dereito.
Aviso: esta é unha función avanzada para desenvolvedores, non experimente no seu sitio de produción. +SeeTopRightMenu=Ver no menú superior dereito +AddLanguageFile=Engadir ficheiro de idioma +YouCanUseTranslationKey=Pode usar aquí unha chave que é a chave de tradución que se atopa no ficheiro de idioma (ver lapela "Idiomas") +DropTableIfEmpty=(Destruír a táboa se está baleira) +TableDoesNotExists=A táboa %s non existe +TableDropped=Eliminouse a táboa %s +InitStructureFromExistingTable=Construír a cadea de array de estruturas dunha táboa existente +UseAboutPage=Desactivar a páxina sobre +UseDocFolder=Desactivar o cartafol de documentación +UseSpecificReadme=Usar un ReadMe específico +ContentOfREADMECustomized=Nota: o contido do ficheiro README.md foi substituído polo valor específico definido na configuración de ModuleBuilder. +RealPathOfModule=Ruta real do módulo +ContentCantBeEmpty=O contido do ficheiro non pode estar baleiro +WidgetDesc=Pode xerar e editar aquí os widgets que se incorporarán ao seu módulo. +CSSDesc=Pode xerar e editar aquí un ficheiro con CSS personalizado incrustado no seu módulo. +JSDesc=Pode xerar e editar aquí un ficheiro con Javascript personalizado incrustado co seu módulo. +CLIDesc=Pode xerar aquí algúns scripts de liña de comandos que desexa proporcionar co seu módulo. +CLIFile=Ficheiro CLI +NoCLIFile=Non hai ficheiros CLI +UseSpecificEditorName = Usar un nome de editor específico +UseSpecificEditorURL = Usar unha URL de editor específico +UseSpecificFamily = Usar unha familia específica +UseSpecificAuthor = Usar un autor específico +UseSpecificVersion = Usar unha versión inicial específica +IncludeRefGeneration=A referencia do obxecto debe xerarse automaticamente +IncludeRefGenerationHelp=Sinale esta opción se quere incluír código para xestionar a xeración automaticamente da referencia +IncludeDocGeneration=Quero xerar algúns documentos a partir do obxecto +IncludeDocGenerationHelp=Se marca isto, xerarase algún código para engadir unha caixa "Xerar documento" no rexistro. +ShowOnCombobox=Mostrar o valor en combobox +KeyForTooltip=Chave para a información sobre ferramentas +CSSClass=Clase CSS +NotEditable=Non editable +ForeignKey=Chave estranxeira +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 engadimos un botón + despois do combo para crear o rexistro, "filter" pode ser "status=1 AND fk_user=__USER_ID AND entity IN (__SHARED_ENTITIES__)" por exemplo) +AsciiToHtmlConverter=Conversor de ascii a HTML +AsciiToPdfConverter=Conversor de ascii a PDF +TableNotEmptyDropCanceled=A táboa non está baleira. Cancelouse a eliminación. +ModuleBuilderNotAllowed=O creador de módulos está dispoñible pero non permitido ao seu usuario. diff --git a/htdocs/langs/gl_ES/multicurrency.lang b/htdocs/langs/gl_ES/multicurrency.lang index c9ec381e5b6..27cbebdc7b8 100644 --- a/htdocs/langs/gl_ES/multicurrency.lang +++ b/htdocs/langs/gl_ES/multicurrency.lang @@ -20,3 +20,19 @@ MulticurrencyPaymentAmount=Importe total, moeda orixe AmountToOthercurrency=Cantidade a (en moeda da conta receptora) CurrencyRateSyncSucceed=Taxa da moeda sincronizada correctamente MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Use a moeda do documento para pagos online +TabTitleMulticurrencyRate=Listaxe de taxas +ListCurrencyRate=Listaxe de tipos de cambio da moeda +CreateRate=Crea unha taxa +FormCreateRate=Creación de taxa +FormUpdateRate=Modificación de taxa +successRateCreate=Engadiuse a taxa de moeda %s á base de datos +ConfirmDeleteLineRate=Está certo de querer eliminar a taxa de %s da moeda %s na data de %s? +DeleteLineRate=Limpar taxa +successRateDelete=Taxa eliminada +errorRateDelete=Erro cando eliminaba taxa +successUpdateRate=Modificación feita +ErrorUpdateRate=Erro cando modificaba a taxa +Codemulticurrency=Código moeda +UpdateRate=Cambiar a taxa +CancelUpdate=Cancelar +NoEmptyRate=O campo de taxa non debe estar baleiro diff --git a/htdocs/langs/gl_ES/opensurvey.lang b/htdocs/langs/gl_ES/opensurvey.lang index 9f83fcfb4f3..852bda171e5 100644 --- a/htdocs/langs/gl_ES/opensurvey.lang +++ b/htdocs/langs/gl_ES/opensurvey.lang @@ -1,61 +1,61 @@ # Dolibarr language file - Source file is en_US - opensurvey -Survey=Poll -Surveys=Polls -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... -NewSurvey=New poll -OpenSurveyArea=Polls area -AddACommentForPoll=You can add a comment into poll... -AddComment=Add comment -CreatePoll=Create poll -PollTitle=Poll title -ToReceiveEMailForEachVote=Receive an email for each vote -TypeDate=Type date -TypeClassic=Type standard -OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it -RemoveAllDays=Remove all days -CopyHoursOfFirstDay=Copy hours of first day -RemoveAllHours=Remove all hours -SelectedDays=Selected days -TheBestChoice=The best choice currently is -TheBestChoices=The best choices currently are -with=with -OpenSurveyHowTo=If you agree to vote in this poll, you have to give your name, choose the values that fit best for you and validate with the plus button at the end of the line. -CommentsOfVoters=Comments of voters -ConfirmRemovalOfPoll=Are you sure you want to remove this poll (and all votes) -RemovePoll=Remove poll -UrlForSurvey=URL to communicate to get a direct access to poll -PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll: -CreateSurveyDate=Create a date poll -CreateSurveyStandard=Create a standard poll -CheckBox=Simple checkbox -YesNoList=List (empty/yes/no) -PourContreList=List (empty/for/against) -AddNewColumn=Add new column -TitleChoice=Choice label -ExportSpreadsheet=Export result spreadsheet -ExpireDate=Data límite -NbOfSurveys=Number of polls -NbOfVoters=No. of voters -SurveyResults=Results -PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s. -5MoreChoices=5 more choices -Against=Against -YouAreInivitedToVote=You are invited to vote for this poll -VoteNameAlreadyExists=This name was already used for this poll -AddADate=Add a date -AddStartHour=Add start hour -AddEndHour=Add end hour -votes=vote(s) -NoCommentYet=No comments have been posted for this poll yet -CanComment=Voters can comment in the poll -CanSeeOthersVote=Voters can see other people's vote -SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format:
- empty,
- "8h", "8H" or "8:00" to give a meeting's start hour,
- "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,
- "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes. -BackToCurrentMonth=Back to current month -ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation -ErrorOpenSurveyOneChoice=Enter at least one choice -ErrorInsertingComment=There was an error while inserting your comment -MoreChoices=Enter more choices for the voters -SurveyExpiredInfo=The poll has been closed or voting delay has expired. -EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s -ShowSurvey=Show survey -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +Survey=Enquisa +Surveys=Enquisas +OrganizeYourMeetingEasily=Organice facilmente as súas reunións e enquisas. Primeiro selecciona o tipo de enquisa ... +NewSurvey=Nova enquisa +OpenSurveyArea=Área de enquisas +AddACommentForPoll=Pode engadir un comentario á enquisa ... +AddComment=Engadir comentario +CreatePoll=Crear enquisa +PollTitle=Título da enquisa +ToReceiveEMailForEachVote=Reciba un correo electrónico por cada voto +TypeDate=Escriba a data +TypeClassic=Tipo estándar +OpenSurveyStep2=Seleccione as súas datas entre os días libres (gris). Os días seleccionados son verdes. Pode deseleccionar un día seleccionado previamente facendo clic de novo nel +RemoveAllDays=Eliminar todos os días +CopyHoursOfFirstDay=Copiar as horas do primeiro día +RemoveAllHours=Eliminar todas as horas +SelectedDays=Días seleccionados +TheBestChoice=A mellor opción actualmente é +TheBestChoices=As mellores opcións son actualmente +with=con +OpenSurveyHowTo=Se acepta votar nesta enquisa, ten que dar o seu nome, escoller os valores que mellor se axusten a vostede e validalo co botón ao final da liña. +CommentsOfVoters=Comentarios dos votantes +ConfirmRemovalOfPoll=Está certo de que quere eliminar esta votación (e todos os votos) +RemovePoll=Eliminar enquisa +UrlForSurvey=URL para comunicarse para ter acceso directo á enquisa +PollOnChoice=Está a crear unha enquisa para facer unha opción múltiple para unha enquisa. Primeiro introduza todas as opcións posibles para a súa enquisa: +CreateSurveyDate=Crear unha enquisa de data +CreateSurveyStandard=Crear unha enquisa estándar +CheckBox=caixa de verificación simple +YesNoList=Lista (baleiro/si/non) +PourContreList=Listaxe (baleiro/a favor/en contra) +AddNewColumn=Engadir nova columna +TitleChoice=Etiqueta de elección +ExportSpreadsheet=Exportar folla de cálculo co resultado +ExpireDate=Datos límite +NbOfSurveys=Número de enquisas +NbOfVoters=Non. de votantes +SurveyResults=Resultados +PollAdminDesc=Está autorizado a cambiar todas as liñas de voto desta enquisa co botón "Editar". Tamén pode eliminar unha columna ou unha liña con %s. Tamén pode engadir unha nova columna con %s. +5MoreChoices=5 opcións máis +Against=Contra +YouAreInivitedToVote=Está convidado a votar nesta enquisa +VoteNameAlreadyExists=Este nome xa se usou para esta enquisa +AddADate=Engade unha data +AddStartHour=Engadir hora de inicio +AddEndHour=Engadir hora de finalización +votes=voto(s) +NoCommentYet=Aínda non se enviaron comentarios para esta enquisa +CanComment=Os votantes poden comentar na enquisa +CanSeeOthersVote=Os votantes poden ver o voto doutras persoas +SelectDayDesc=Para cada día seleccionado, pode escoller ou non o horario de reunión no seguinte formato:
- baleiro,
- "8h", "8H" ou "8:00" para dar unha hora de comezo da reunión,
- "8-11", "8h-11h", "8H-11H" ou "8: 00-11: 00" para dar a hora de inicio e final da reunión,
- "8h15-11h15 "," 8H15-11H15 "ou" 8: 15-11: 15 "para o mesmo pero con minutos. +BackToCurrentMonth=Voltar ao mes actual +ErrorOpenSurveyFillFirstSection=Non encheu a primeira sección da creación da enquisa +ErrorOpenSurveyOneChoice=Introduza polo menos unha opción +ErrorInsertingComment=Houbo un erro ao inserir o seu comentario +MoreChoices=Introduza máis opcións para os votantes +SurveyExpiredInfo=Pechouse a votación ou caducou o tempo de votación. +EmailSomeoneVoted=%s encheu unha liña. \nPode atopar a súa enquisa na ligazón:\n %s +ShowSurvey=Amosar a enquisa +UserMustBeSameThanUserUsedToVote=Debe ter votado e usar o mesmo nome de usuario que o usado para votar, para publicar un comentario diff --git a/htdocs/langs/gl_ES/orders.lang b/htdocs/langs/gl_ES/orders.lang index a140a6af6b4..b76bcd8a65a 100644 --- a/htdocs/langs/gl_ES/orders.lang +++ b/htdocs/langs/gl_ES/orders.lang @@ -80,7 +80,7 @@ NoOrder=Sen pedimentos NoSupplierOrder=Sen orde de compra LastOrders=Últimos %s pedimentos de clientes LastCustomerOrders=Últimos %s pedimentos de clientes -LastSupplierOrders=Últimas %s ordes de compra +LastSupplierOrders=Últimas %s pedimentos de provedor LastModifiedOrders=Últimos %s pedimentos de clientes modificados AllOrders=Todos os pedimentos NbOfOrders=Número de pedimentos @@ -116,9 +116,9 @@ ConfirmCloneOrder=¿Está seguro de querer clonar este pedimento %s? DispatchSupplierOrder=Recepción do pedimento a provedor %s FirstApprovalAlreadyDone=Primeira aprobación realizada SecondApprovalAlreadyDone=Segunda aprobación realizada -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submited -SupplierOrderClassifiedBilled=Purchase Order %s set billed +SupplierOrderReceivedInDolibarr=Pedimento de provedor %s recibido %s +SupplierOrderSubmitedInDolibarr=Pedimento de provedor %s solicitado +SupplierOrderClassifiedBilled=Pedimento de provedor %s facturado OtherOrders=Outros pedimentos ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Responsable seguemento do pedimento cliente @@ -166,7 +166,7 @@ StatusSupplierOrderDraftShort=Borrador StatusSupplierOrderValidatedShort=Validado StatusSupplierOrderSentShort=Expedición en curso StatusSupplierOrderSent=Envío en curso -StatusSupplierOrderOnProcessShort=Pedido +StatusSupplierOrderOnProcessShort=Pedimento StatusSupplierOrderProcessedShort=Procesado StatusSupplierOrderDelivered=Emitido StatusSupplierOrderDeliveredShort=Emitido @@ -179,8 +179,8 @@ StatusSupplierOrderReceivedAllShort=Produtos recibidos StatusSupplierOrderCanceled=Anulado StatusSupplierOrderDraft=Borrador (é preciso validar) StatusSupplierOrderValidated=Validado -StatusSupplierOrderOnProcess=Pedido - Agardando recepción -StatusSupplierOrderOnProcessWithValidation=Pedido - Agardando recibir ou validar +StatusSupplierOrderOnProcess=Pedimento - Agardando recepción +StatusSupplierOrderOnProcessWithValidation=Pedimento - Agardando recibir ou validar StatusSupplierOrderProcessed=Procesado StatusSupplierOrderToBill=Emitido StatusSupplierOrderApproved=Aprobado diff --git a/htdocs/langs/gl_ES/other.lang b/htdocs/langs/gl_ES/other.lang index 5270347b48e..5a52b287896 100644 --- a/htdocs/langs/gl_ES/other.lang +++ b/htdocs/langs/gl_ES/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Informe de gastos validado (requírese aprobació Notify_EXPENSE_REPORT_APPROVE=Informe de gastos aprobado Notify_HOLIDAY_VALIDATE=Petición días libres validada (requírese aprobación) Notify_HOLIDAY_APPROVE=Petición días libres aprobada +Notify_ACTION_CREATE=Acción engadida na Axenda SeeModuleSetup=Vexa a configuración do módulo %s NbOfAttachedFiles=Número ficheiros/documentos axuntados TotalSizeOfAttachedFiles=Tamaño total dos ficheiros/documentos axuntados @@ -124,7 +125,7 @@ ModifiedByLogin=Login de usuario que fixo o último cambio ValidatedByLogin=Login usuario que validou CanceledByLogin=Login usuario que cancelou ClosedByLogin=Login usuario que pechou -FileWasRemoved=O arquivo %s foi eliminado +FileWasRemoved=O ficheiro %s foi eliminado DirWasRemoved=O directorio %s foi eliminado FeatureNotYetAvailable=Funcionalidade ainda non dispoñible nesta versión actual FeaturesSupported=Funcionalidades dispoñibles @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Informe de gastos %s validado. EMailTextExpenseReportApproved=Informe de gastos %s aprobado. EMailTextHolidayValidated=Petición de días libres %s validada. EMailTextHolidayApproved=Petición de días libres %s aprobada. +EMailTextActionAdded=A acción %s foi engadida na axenda ImportedWithSet=Lote de importación DolibarrNotification=Notificación automática ResizeDesc=Introduza o novo ancho O a nova altura. A relación conservase ao cambiar o tamaño ... diff --git a/htdocs/langs/gl_ES/paybox.lang b/htdocs/langs/gl_ES/paybox.lang index e993d94eb67..533eea03695 100644 --- a/htdocs/langs/gl_ES/paybox.lang +++ b/htdocs/langs/gl_ES/paybox.lang @@ -1,31 +1,30 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=PayBox module setup -PayBoxDesc=This module offer pages to allow payment on Paybox by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -Creditor=Creditor -PaymentCode=Payment code -PayBoxDoPayment=Pay with Paybox -YouWillBeRedirectedOnPayBox=You will be redirected on secured Paybox page to input you credit card information +PayBoxSetup=Configuración do módulo PayBox +PayBoxDesc=Este módulo ofrece páxinas para permitir o pago en PayBox por parte dos clientes. Pode usarse para un pago gratuíto ou para un pago dun obxecto Dolibarr en particular (factura, pedido, ...) +FollowingUrlAreAvailableToMakePayments=As seguintes URL están dispoñibles para ofrecer unha páxina a un cliente na que facer un pago en obxectos Dolibarr +PaymentForm=Forma de pagamento +WelcomeOnPaymentPage=A nosa benvida ao servizo de pagamento en liña +ThisScreenAllowsYouToPay=Esta pantalla permítelle facer un pagamento en liña a %s. +ThisIsInformationOnPayment=Esta é información sobre o pagamento a facer +ToComplete=Completar +YourEMail=Correo electrónico para recibir a confirmación do pagamento +Creditor=Acredor +PaymentCode=Código do pagamento +PayBoxDoPayment=Pagamento con Paybox +YouWillBeRedirectedOnPayBox=Será redirixido á páxina segura de PayBox para introducir a información da súa tarxeta de crédito Continue=Seguinte -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. -YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -PAYBOX_CGI_URL_V2=Url of Paybox CGI module for payment -VendorName=Name of vendor -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewPayboxPaymentReceived=New Paybox payment received -NewPayboxPaymentFailed=New Paybox payment tried but failed -PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) -PAYBOX_PBX_SITE=Value for PBX SITE -PAYBOX_PBX_RANG=Value for PBX Rang -PAYBOX_PBX_IDENTIFIANT=Value for PBX ID -PAYBOX_HMAC_KEY=HMAC key +SetupPayBoxToHavePaymentCreatedAutomatically=Configure a súa caixa de pagamento coa url %s para que o pagamento se cree automaticamente cando o valide PayBox. +YourPaymentHasBeenRecorded=Esta páxina confirma que se rexistrou o seu pagamento. Grazas. +YourPaymentHasNotBeenRecorded=O seu pagamento NON se rexistrou e cancelouse a transacción. Grazas. +AccountParameter=Parámetros da conta +UsageParameter=Parámetros de uso +InformationToFindParameters=Axuda a atopar a información da súa conta %s +PAYBOX_CGI_URL_V2=URL do módulo CGI de PayBox para pagamento +CSSUrlForPaymentForm=URL da folla de estilo CSS para o formulario de pagamento +NewPayboxPaymentReceived=Novo pagamento de PayBox recibido +NewPayboxPaymentFailed=Novo intento de pagamento de PayBox pero fallou +PAYBOX_PAYONLINE_SENDEMAIL=Nnotificación por correo electrónico despois do intento de pagamento (éxito ou fallo) +PAYBOX_PBX_SITE=Valor para PBX SITE +PAYBOX_PBX_RANG=Valor para PBX Rang +PAYBOX_PBX_IDENTIFIANT=Valor para Id PBX +PAYBOX_HMAC_KEY=Chave HMAC diff --git a/htdocs/langs/gl_ES/paypal.lang b/htdocs/langs/gl_ES/paypal.lang index ff13805b09a..1544765cc29 100644 --- a/htdocs/langs/gl_ES/paypal.lang +++ b/htdocs/langs/gl_ES/paypal.lang @@ -14,7 +14,7 @@ PaypalModeOnlyPaypal=Só PayPal ONLINE_PAYMENT_CSS_URL=URL ou CSS opcional da folla de estilo na páxina de pago en liña ThisIsTransactionId=Identificador da transacción: %s PAYPAL_ADD_PAYMENT_URL=Engadir a url del pago Paypal ao enviar un documento por correo electrónico -NewOnlinePaymentReceived=Nuevo pago en liña recibido +NewOnlinePaymentReceived=Novo pago en liña recibido NewOnlinePaymentFailed=Intentouse un novo pago en liña pero fallou ONLINE_PAYMENT_SENDEMAIL=Enderezo de correo electrónico a notificar no caso de intento de pago (con éxito ou non) ReturnURLAfterPayment=URL de retorno despois do pago @@ -31,6 +31,6 @@ PaypalLiveEnabled=Paypal en vivo habilitado (do contrario, modo proba/sandbox) PaypalImportPayment=Importe pagos Paypal PostActionAfterPayment=Accións despois dos pagos ARollbackWasPerformedOnPostActions=Foi executada unha reversión en todas as accións. Debe completar as acciones de publicación manualmente se son precisas. -ValidationOfPaymentFailed=Avalidación do pago Paypal fallou +ValidationOfPaymentFailed=A validación do pago Paypal fallou CardOwner=Titular da tarxeta PayPalBalance=Crédito paypal diff --git a/htdocs/langs/gl_ES/productbatch.lang b/htdocs/langs/gl_ES/productbatch.lang index a2cd4187edb..79377f94908 100644 --- a/htdocs/langs/gl_ES/productbatch.lang +++ b/htdocs/langs/gl_ES/productbatch.lang @@ -1,6 +1,6 @@ # ProductBATCH language file - en_US - ProductBATCH ManageLotSerial=Usar numeración por lote/serie -ProductStatusOnBatch=Se (é preciso lote/serie) +ProductStatusOnBatch=Sí (é preciso lote/serie) ProductStatusNotOnBatch=Non (non é preciso lote/serie) ProductStatusOnBatchShort=Sí ProductStatusNotOnBatchShort=Non diff --git a/htdocs/langs/gl_ES/products.lang b/htdocs/langs/gl_ES/products.lang index 0639c3bfb70..b3601e35abc 100644 --- a/htdocs/langs/gl_ES/products.lang +++ b/htdocs/langs/gl_ES/products.lang @@ -87,7 +87,7 @@ ErrorProductBadRefOrLabel=Valor incorrecto como referencia ou etiqueta. ErrorProductClone=Houbo un problema ao tentar clonar o produto ou servizo. ErrorPriceCantBeLowerThanMinPrice=Erro, o prezo non pode ser inferior ao prezo mínimo. Suppliers=Provedores -SupplierRef=SKU Provedor  +SupplierRef=SKU Provedor ShowProduct=Amosar produto ShowService=Amosar servizo ProductsAndServicesArea=Área produtos e servizos @@ -250,7 +250,7 @@ KeepEmptyForAutoCalculation=Mantéñase baleiro para que calcule automáticament VariantRefExample=Exemplo: COR, TAMAÑO VariantLabelExample=Exemplo: Cor, Tamaño ### composition fabrication -Build=Fabricar +Build=Producir ProductsMultiPrice=Produtos e prezos para cada segmento de prezos ProductsOrServiceMultiPrice=Prezos a clientes (de produtos ou servizos, multiprezos) ProductSellByQuarterHT=Facturación trimestral de produtos antes de impostos @@ -311,9 +311,9 @@ GlobalVariableUpdaterHelpFormat1=O formato da solicitude é {"URL": "http://exam UpdateInterval=Intervalo de actualización (minutos) LastUpdated=Última actualización CorrectlyUpdated=Actualizado correctamente -PropalMergePdfProductActualFile=Arcquivos usados para engadir no PDF Azur son -PropalMergePdfProductChooseFile=Seleccione os arquivos PDF -IncludingProductWithTag=Produtos/servizos incluidos co tag +PropalMergePdfProductActualFile=Ficheiros usados para engadir no PDF Azur son +PropalMergePdfProductChooseFile=Seleccione os ficheiros PDF +IncludingProductWithTag=Produtos/servizos incluidos coa etiqueta DefaultPriceRealPriceMayDependOnCustomer=Prezo por defecto, ou prezo real pode depender do cliente WarningSelectOneDocument=Seleccione alo menos un documento DefaultUnitToShow=Unidade @@ -343,7 +343,7 @@ UseProductFournDesc=Engade unha función para definir as descricións dos produt ProductSupplierDescription=Descrición do produto do provedor UseProductSupplierPackaging=Utilice o envase nos prezos do provedor (recalcule as cantidades segundo o prezo do empaquetado do provedor ao engadir/actualizar a liña nos documentos do provedor) PackagingForThisProduct=Empaquetado -PackagingForThisProductDesc=No pedido do provedor, solicitará automaticamente esta cantidade (ou un múltiplo desta cantidade). Non pode ser inferior á cantidade mínima de compra +PackagingForThisProductDesc=No pedimento do provedor, solicitará automaticamente esta cantidade (ou un múltiplo desta cantidade). Non pode ser inferior á cantidade mínima de compra QtyRecalculatedWithPackaging=A cantidade da liña recalculouse segundo o empaquetado do provedor #Attributes diff --git a/htdocs/langs/gl_ES/projects.lang b/htdocs/langs/gl_ES/projects.lang index 75bb1daca79..55a7a3e1624 100644 --- a/htdocs/langs/gl_ES/projects.lang +++ b/htdocs/langs/gl_ES/projects.lang @@ -41,22 +41,22 @@ SetProject=Definir proxecto NoProject=Ningún proxecto definido ou propiedade de NbOfProjects=Nº de proxectos NbOfTasks=Nº de tarefas -TimeSpent=Tempo adicado -TimeSpentByYou=Tempo adicado por vostede -TimeSpentByUser=Tempo adicado por usuario +TimeSpent=Tempo empregado +TimeSpentByYou=Tempo empregado por vostede +TimeSpentByUser=Tempo empregado por usuario TimesSpent=Tempos adicados TaskId=ID Tarefa RefTask=Ref. tarefa LabelTask=Etiqueta tarefa -TaskTimeSpent=Tempo adicado en tarefas +TaskTimeSpent=Tempo empregado en tarefas TaskTimeUser=Usuario TaskTimeNote=Nota TaskTimeDate=Data TasksOnOpenedProject=Tarefas en proxectos abertos WorkloadNotDefined=Carga de traballo non definida -NewTimeSpent=Tempo adicado -MyTimeSpent=Meu tempo adicado -BillTime=Facturar tempo adicado +NewTimeSpent=Tempo empregado +MyTimeSpent=Meu tempo empregado +BillTime=Facturar tempo empregado BillTimeShort=Facturar tempo TimeToBill=Tempo non facturado TimeBilled=Tempo facturado @@ -67,7 +67,7 @@ TaskDateEnd=Data finalización tarefa TaskDescription=Descrición tarefa NewTask=Nova tarefa AddTask=Crear tarefa -AddTimeSpent=Engadir tempo adicado +AddTimeSpent=Engadir tempo empregado AddHereTimeSpentForDay=Engadir tempo empregado neste día/tarefa AddHereTimeSpentForWeek=Engadir tempo empregado nesta semana/tarefa Activity=Actividade @@ -85,6 +85,7 @@ ProgressCalculated=Progresión calculada WhichIamLinkedTo=que eu liguei a WhichIamLinkedToProject=que eu liguei ao proxecto Time=Tempo +TimeConsumed=Consumido ListOfTasks=Listaxe de tarefas GoToListOfTimeConsumed=Ir á listaxe de tempos empregados GanttView=Vista de Gantt @@ -115,7 +116,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, pedimentos ou outras). Ver lapela '%s.' +CantRemoveProject=Este proxecto non pode ser eliminado porque está referenciado por algúns outros obxectoss (facturas, pedimentos ou outras). Ver lapela '%s'. ValidateProject=Validar proxecto ConfirmValidateProject=¿Está certo de querer validar este proxecto? CloseAProject=Pechar proxecto @@ -128,8 +129,8 @@ TaskContact=Contactos de tarefas ActionsOnProject=Eventos do proxecto YouAreNotContactOfProject=Vostede non é contacto deste proxecto privado UserIsNotContactOfProject=O usuario non é contacto deste proxecto privado -DeleteATimeSpent=Eliminación de tempo adicado -ConfirmDeleteATimeSpent=¿Está certo de querer eliminar este tempo adicado? +DeleteATimeSpent=Eliminación de tempo empregado +ConfirmDeleteATimeSpent=¿Está certo de querer eliminar este tempo empregado? DoNotShowMyTasksOnly=Ver tamén tarefas non asignadas a min ShowMyTasksOnly=Ver só tarefas asignadas a min TaskRessourceLinks=Contactos da tarefa @@ -138,7 +139,7 @@ NoTasks=Ningunha tarefa para este proxecto LinkedToAnotherCompany=Ligado a outro terceiro TaskIsNotAssignedToUser=Tarefa non asignada ao usuario. Use o botón '%s' para asignar a tarefa agora. ErrorTimeSpentIsEmpty=O tempo consumido está baleiro -ThisWillAlsoRemoveTasks=Esta operación tamén eliminará todas as tarefas do proxecto (%s tarefas neste intre) e todas as entradas de tempo adicado. +ThisWillAlsoRemoveTasks=Esta operación tamén eliminará todas as tarefas do proxecto (%s tarefas neste intre) e todas as entradas de tempo empregado. IfNeedToUseOtherObjectKeepEmpty=Se os obxectos (factura, pedimento, ...) pertencen a outro terceiro, debe estar ligado ao proxecto a crear, deixe isto baleiro para permitir asignar o proxecto a distintos terceiros. CloneTasks=Clonar as tarefas CloneContacts=Clonar os contactos @@ -192,7 +193,7 @@ InputPerDay=Entrada por día InputPerWeek=Entrada por semana InputPerMonth=Entrada por mes InputDetail=Detalle de entrada -TimeAlreadyRecorded=Tempo adicado xa rexistrado para esta tarefa/día e usuario %s +TimeAlreadyRecorded=Tempo empregado xa rexistrado para esta tarefa/día e usuario %s ProjectsWithThisUserAsContact=Proxectos con este usuario como contacto TasksWithThisUserAsContact=Tarefas asignadas a este usuario ResourceNotAssignedToProject=Non asignado ao proxecto diff --git a/htdocs/langs/gl_ES/propal.lang b/htdocs/langs/gl_ES/propal.lang index 7870f3bd1ad..af8b0cff643 100644 --- a/htdocs/langs/gl_ES/propal.lang +++ b/htdocs/langs/gl_ES/propal.lang @@ -26,7 +26,7 @@ AmountOfProposalsByMonthHT=Importe por mes (sen IVE) NbOfProposals=Número de orzamentos ShowPropal=Ver orzamento PropalsDraft=Borradores -PropalsOpened=Aberta +PropalsOpened=Abertos PropalStatusDraft=Borrador (é preciso validar) PropalStatusValidated=Validado (Orzamento aberto) PropalStatusSigned=Asinado (a facturar) diff --git a/htdocs/langs/gl_ES/receiptprinter.lang b/htdocs/langs/gl_ES/receiptprinter.lang index e8a421ecd45..15589e95e61 100644 --- a/htdocs/langs/gl_ES/receiptprinter.lang +++ b/htdocs/langs/gl_ES/receiptprinter.lang @@ -1,82 +1,82 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Setup of module ReceiptPrinter -PrinterAdded=Printer %s added -PrinterUpdated=Printer %s updated -PrinterDeleted=Printer %s deleted -TestSentToPrinter=Test Sent To Printer %s -ReceiptPrinter=Receipt printers -ReceiptPrinterDesc=Setup of receipt printers -ReceiptPrinterTemplateDesc=Setup of Templates -ReceiptPrinterTypeDesc=Description of Receipt Printer's type -ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile -ListPrinters=List of Printers -SetupReceiptTemplate=Template Setup -CONNECTOR_DUMMY=Dummy Printer -CONNECTOR_NETWORK_PRINT=Network Printer -CONNECTOR_FILE_PRINT=Local Printer -CONNECTOR_WINDOWS_PRINT=Local Windows Printer -CONNECTOR_CUPS_PRINT=Cups Printer -CONNECTOR_DUMMY_HELP=Fake Printer for test, does nothing +ReceiptPrinterSetup=Configuración do módulo ReceiptPrinter +PrinterAdded=Engadiuse a impresora %s +PrinterUpdated=Actualizouse a impresora %s +PrinterDeleted=Eliminouse a impresora %s +TestSentToPrinter=Proba enviada á impresora %s +ReceiptPrinter=Impresoras de recibos +ReceiptPrinterDesc=Configuración de impresoras de recibos +ReceiptPrinterTemplateDesc=Configuración de Modelos +ReceiptPrinterTypeDesc=Descrición do tipo de impresora de recibos +ReceiptPrinterProfileDesc=Descrición do perfil da impresora de recibos +ListPrinters=Listaxe de impresoras +SetupReceiptTemplate=Configuración do modelo +CONNECTOR_DUMMY=Impresora ficticia +CONNECTOR_NETWORK_PRINT=Impresora de rede +CONNECTOR_FILE_PRINT=Impresora local +CONNECTOR_WINDOWS_PRINT=Impresora local en Windows +CONNECTOR_CUPS_PRINT=Impresora CUPS +CONNECTOR_DUMMY_HELP=Impresora falsa para proba, non fai nada 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 -PROFILE_DEFAULT=Default Profile -PROFILE_SIMPLE=Simple Profile -PROFILE_EPOSTEP=Epos Tep Profile -PROFILE_P822D=P822D Profile -PROFILE_STAR=Star Profile -PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers -PROFILE_SIMPLE_HELP=Simple Profile No Graphics -PROFILE_EPOSTEP_HELP=Epos Tep Profile -PROFILE_P822D_HELP=P822D Profile No Graphics -PROFILE_STAR_HELP=Star Profile -DOL_LINE_FEED=Skip line -DOL_ALIGN_LEFT=Left align text -DOL_ALIGN_CENTER=Center text -DOL_ALIGN_RIGHT=Right align text -DOL_USE_FONT_A=Use font A of printer -DOL_USE_FONT_B=Use font B of printer -DOL_USE_FONT_C=Use font C of printer +CONNECTOR_CUPS_PRINT_HELP=CUPS nome da impresora, exemplo: HPRT_TP805L +PROFILE_DEFAULT=Perfil predeterminado +PROFILE_SIMPLE=Perfil simple +PROFILE_EPOSTEP=Perfil Epos Tep +PROFILE_P822D=Perfil P822D +PROFILE_STAR=Perfil Start +PROFILE_DEFAULT_HELP=Perfil predeterminado adecuado para impresoras Epson +PROFILE_SIMPLE_HELP=Perfil simple sen gráficos +PROFILE_EPOSTEP_HELP=Perfil Epos Tep +PROFILE_P822D_HELP=Perfil P822D Sen gráficos +PROFILE_STAR_HELP=Perfil Star +DOL_LINE_FEED=Saltar a liña +DOL_ALIGN_LEFT=Aliñar á esquerda o texto +DOL_ALIGN_CENTER=Centrar o texto +DOL_ALIGN_RIGHT=Aliñar texto á dereita +DOL_USE_FONT_A=Usar o tipo de letra A da impresora +DOL_USE_FONT_B=Usar o tipo de letra B da impresora +DOL_USE_FONT_C=Usar o tipo de letra C da impresora DOL_PRINT_BARCODE=Imprimir código de barras -DOL_PRINT_BARCODE_CUSTOMER_ID=Print barcode customer id -DOL_CUT_PAPER_FULL=Cut ticket completely -DOL_CUT_PAPER_PARTIAL=Cut ticket partially -DOL_OPEN_DRAWER=Open cash drawer -DOL_ACTIVATE_BUZZER=Activate buzzer -DOL_PRINT_QRCODE=Print 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 -DateInvoiceWithTime=Invoice date and time -YearInvoice=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 -InvoiceID=Invoice ID +DOL_PRINT_BARCODE_CUSTOMER_ID=Imprimir o código de barras do cliente +DOL_CUT_PAPER_FULL=Cortar o ticket por completo +DOL_CUT_PAPER_PARTIAL=Cortar parcialmente o ticket +DOL_OPEN_DRAWER=Caixón aberto +DOL_ACTIVATE_BUZZER=Activar o zumbador +DOL_PRINT_QRCODE=Imprimir código QR +DOL_PRINT_LOGO=Imprimir o logotipo da miña empresa +DOL_PRINT_LOGO_OLD=Imprimir o logotipo da miña empresa (impresoras antigas) +DOL_BOLD=Negrita +DOL_BOLD_DISABLED=Desactivar negrita +DOL_DOUBLE_HEIGHT=Tamaño de dobre altura +DOL_DOUBLE_WIDTH=Tamaño de dobre ancho +DOL_DEFAULT_HEIGHT_WIDTH=Tamaño e ancho predeterminados +DOL_UNDERLINE=Activar subliñado +DOL_UNDERLINE_DISABLED=Desactivar o subliñado +DOL_BEEP=Pitido +DOL_PRINT_TEXT=Imprimir texto +DateInvoiceWithTime=Data e hora da factura +YearInvoice=Ano de factura +DOL_VALUE_MONTH_LETTERS=Mes de factura en letras +DOL_VALUE_MONTH=Mes da factura +DOL_VALUE_DAY=Día da factura +DOL_VALUE_DAY_LETTERS=Día factura en letras +DOL_LINE_FEED_REVERSE=Avance de liña inverso +InvoiceID=ID de factura InvoiceRef=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 -VendorLastname=Vendor last name -VendorFirstname=Vendor first name -VendorEmail=Vendor email -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_PRINT_OBJECT_LINES=Liñas de factura +DOL_VALUE_CUSTOMER_FIRSTNAME=Nome do cliente +DOL_VALUE_CUSTOMER_LASTNAME=Apelido do cliente +DOL_VALUE_CUSTOMER_MAIL=Correo do cliente +DOL_VALUE_CUSTOMER_PHONE=Teléfono do cliente +DOL_VALUE_CUSTOMER_MOBILE=Móbil do cliente +DOL_VALUE_CUSTOMER_SKYPE=Cliente Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=Número fiscal do cliente +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo da conta do cliente +DOL_VALUE_MYSOC_NAME=Nome da súa empresa +VendorLastname=Apelido do vendedor +VendorFirstname=Nome do vendedor +VendorEmail=Correo electrónico do vendedor +DOL_VALUE_CUSTOMER_POINTS=Puntos de cliente +DOL_VALUE_OBJECT_POINTS=Puntos obxecto diff --git a/htdocs/langs/gl_ES/resource.lang b/htdocs/langs/gl_ES/resource.lang index 360dbebb5ac..3f2853318eb 100644 --- a/htdocs/langs/gl_ES/resource.lang +++ b/htdocs/langs/gl_ES/resource.lang @@ -1,39 +1,39 @@ # Dolibarr language file - Source file is en_US - resource MenuResourceIndex=Recursos -MenuResourceAdd=New resource -DeleteResource=Delete resource -ConfirmDeleteResourceElement=Confirm delete the resource for this element -NoResourceInDatabase=No resource in database. -NoResourceLinked=No resource linked -ActionsOnResource=Events about this resource -ResourcePageIndex=Resources list -ResourceSingular=Resource -ResourceCard=Resource card -AddResource=Create a resource -ResourceFormLabel_ref=Resource name -ResourceType=Resource type -ResourceFormLabel_description=Resource description +MenuResourceAdd=Novo recurso +DeleteResource=Eliminar recurso +ConfirmDeleteResourceElement=Confirme eliminar o recurso deste elemento +NoResourceInDatabase=Sen recursos na base de datos. +NoResourceLinked=Sen recursos ligados +ActionsOnResource=Eventos sobre este recurso +ResourcePageIndex=Listaxe de recursos +ResourceSingular=Recurso +ResourceCard=Ficha do recurso +AddResource=Crear un recurso +ResourceFormLabel_ref=Nome do recurso +ResourceType=Tipo de recurso +ResourceFormLabel_description=Descrición do recurso -ResourcesLinkedToElement=Resources linked to element +ResourcesLinkedToElement=Recursos ligados ao elemento -ShowResource=Show resource +ShowResource=Amosar recurso -ResourceElementPage=Element resources -ResourceCreatedWithSuccess=Resource successfully created -RessourceLineSuccessfullyDeleted=Resource line successfully deleted -RessourceLineSuccessfullyUpdated=Resource line successfully updated -ResourceLinkedWithSuccess=Resource linked with success +ResourceElementPage=Elementos de recursos +ResourceCreatedWithSuccess=Recurso creado correctamente +RessourceLineSuccessfullyDeleted=Liña de recurso eliminada correctamente +RessourceLineSuccessfullyUpdated=Liña de recurso actualizada correctamente +ResourceLinkedWithSuccess=Recurso ligado correctamente -ConfirmDeleteResource=Confirm to delete this resource -RessourceSuccessfullyDeleted=Resource successfully deleted -DictionaryResourceType=Type of resources +ConfirmDeleteResource=Confirme eliminar este recurso +RessourceSuccessfullyDeleted=Recurso eliminado correctamente +DictionaryResourceType=Tipo de recursos -SelectResource=Select resource +SelectResource=Seleccionar o recurso -IdResource=Id resource -AssetNumber=Serial number -ResourceTypeCode=Resource type code +IdResource=Id do recurso +AssetNumber=Número de serie +ResourceTypeCode=Código do tipo de recurso ImportDataset_resource_1=Recursos -ErrorResourcesAlreadyInUse=Some resources are in use -ErrorResourceUseInEvent=%s used in %s event +ErrorResourcesAlreadyInUse=Algúns recursos están en uso +ErrorResourceUseInEvent=%s usado en %s evento diff --git a/htdocs/langs/gl_ES/sendings.lang b/htdocs/langs/gl_ES/sendings.lang index c9c40f0b18a..99d7be5b352 100644 --- a/htdocs/langs/gl_ES/sendings.lang +++ b/htdocs/langs/gl_ES/sendings.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. shipment -Sending=Shipment +RefSending=Ref. envío +Sending=Envío Sendings=Envíos -AllSendings=All Shipments -Shipment=Shipment +AllSendings=Todos os envíos +Shipment=Envío Shipments=Envíos -ShowSending=Show Shipments -Receivings=Delivery Receipts -SendingsArea=Shipments area -ListOfSendings=List of shipments -SendingMethod=Shipping method -LastSendings=Latest %s shipments -StatisticsOfSendings=Statistics for shipments -NbOfSendings=Number of shipments -NumberOfShipmentsByMonth=Number of shipments by month -SendingCard=Shipment card -NewSending=New shipment -CreateShipment=Create shipment -QtyShipped=Qty shipped -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped -QtyToShip=Qty to ship -QtyToReceive=Qty to receive -QtyReceived=Qty received -QtyInOtherShipments=Qty in other shipments -KeepToShip=Remain to ship -KeepToShipShort=Remain -OtherSendingsForSameOrder=Other shipments for this order -SendingsAndReceivingForSameOrder=Shipments and receipts for this order -SendingsToValidate=Shipments to validate +ShowSending=Amosar envíos +Receivings=Recepcións +SendingsArea=Área envíos +ListOfSendings=Listaxe de envíos +SendingMethod=Método de envío +LastSendings=Últimos %s envíos +StatisticsOfSendings=Estatísticas de envíos +NbOfSendings=Número de envíos +NumberOfShipmentsByMonth=Número de envíos por mes +SendingCard=Ficha envío +NewSending=Novo envío +CreateShipment=Crear envío +QtyShipped=Cant. enviada +QtyShippedShort=Cant. env. +QtyPreparedOrShipped=Cant. preparada ou enviada +QtyToShip=Cant. a enviar +QtyToReceive=Cant. a recibir +QtyReceived=Cant. recibida +QtyInOtherShipments=Cant. en outros envíos +KeepToShip=Resto a enviar +KeepToShipShort=Pendente +OtherSendingsForSameOrder=Outros envíos deste pedimento +SendingsAndReceivingForSameOrder=Envíos e recepcións deste pedimento +SendingsToValidate=Envíos a validar StatusSendingCanceled=Anulado StatusSendingCanceledShort=Anulada StatusSendingDraft=Borrador @@ -37,40 +37,40 @@ StatusSendingProcessed=Procesado StatusSendingDraftShort=Borrador StatusSendingValidatedShort=Validado StatusSendingProcessedShort=Procesado -SendingSheet=Shipment sheet -ConfirmDeleteSending=Are you sure you want to delete this shipment? -ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? -ConfirmCancelSending=Are you sure you want to cancel this shipment? -DocumentModelMerou=Merou A5 model -WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). -DateDeliveryPlanned=Planned date of delivery -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt -DateReceived=Date delivery received -ClassifyReception=Classify reception -SendShippingByEMail=Send shipment by email -SendShippingRef=Submission of shipment %s -ActionsOnShipping=Events on shipment -LinkToTrackYourPackage=Link to track your package -ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders +SendingSheet=Nota de entrega +ConfirmDeleteSending=¿Está certo de querer eliminar esta expedición? +ConfirmValidateSending=¿Está certo de querer validar esta expedición coa referencia %s? +ConfirmCancelSending=¿Está certo de querer anular esta expedición? +DocumentModelMerou=Modelo Merou A5 +WarningNoQtyLeftToSend=Alerta, ningún produto agardando para ser enviado. +StatsOnShipmentsOnlyValidated=Estatísticas realizadas únicamente sobre as expedicións validadas +DateDeliveryPlanned=Data prevista de entrega +RefDeliveryReceipt=Ref. nota de entrega +StatusReceipt=Estado nota de entrega +DateReceived=Data real de recepción +ClassifyReception=Clasificar recibido +SendShippingByEMail=Envío de expedición por correo electrónico +SendShippingRef=Envío da expedición %s +ActionsOnShipping=Eventos sobre a expedición +LinkToTrackYourPackage=Ligazón para o seguimento do seu paquete +ShipmentCreationIsDoneFromOrder=Polo momento, a creación dun novo envío faise a partir da tarxeta de pedimento. +ShipmentLine=Liña de expedición +ProductQtyInCustomersOrdersRunning=Cantidade en pedimentos de clientes abertos +ProductQtyInSuppliersOrdersRunning=Cantidade en pedimentos a provedores abertos ProductQtyInShipmentAlreadySent=Cantidade de produto do pedimento de cliente aberto xa enviado -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. -ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. +ProductQtyInSuppliersShipmentAlreadyRecevied=Cantidade en pedimentos a proveedores xa recibidos +NoProductToShipFoundIntoStock=Non se atopou ningún produto para enviar no almacén % s . Corrixir o stock ou voltar a escoller outro almacén. +WeightVolShort=Peso/Vol. +ValidateOrderFirstBeforeShipment=Antes de poder realizar envíos debe validar o pedimento. # Sending methods # ModelDocument -DocumentModelTyphon=More complete document model for delivery receipts (logo...) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) -Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined -SumOfProductVolumes=Sum of product volumes -SumOfProductWeights=Sum of product weights +DocumentModelTyphon=Modelo de documento mais completo de nota de entrega (logo...) +DocumentModelStorm=Modelo de documento máis completo para a compatibilidade de recibos de entrega e campos extra (logo ...) +Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER no definida +SumOfProductVolumes=Suma do volume dos produtos +SumOfProductWeights=Suma do peso dos produtos # warehouse details -DetailWarehouseNumber= Warehouse details -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseNumber= Detalles do almacén +DetailWarehouseFormat= Alm.:%s (Cant. : %d) diff --git a/htdocs/langs/gl_ES/stocks.lang b/htdocs/langs/gl_ES/stocks.lang index be354f27b3e..d36176fa4b8 100644 --- a/htdocs/langs/gl_ES/stocks.lang +++ b/htdocs/langs/gl_ES/stocks.lang @@ -117,7 +117,7 @@ ThisWarehouseIsPersonalStock=Este almacén representa o stock persoal de %s %s SelectWarehouseForStockDecrease=Seleccione o almacén a usar no decremento de stock SelectWarehouseForStockIncrease=Seleccione o almacén a usar no incremento de stock NoStockAction=Sen accións sobre o stock -DesiredStock=Stock ótimo desexado +DesiredStock=Stock óptimo desexado DesiredStockDesc=Esta cantidade será o valor que se utilizará para encher o stock no reposición. StockToBuy=A pedir Replenishment=Reposición diff --git a/htdocs/langs/gl_ES/stripe.lang b/htdocs/langs/gl_ES/stripe.lang index 38f22b6ab4d..9cd983083e0 100644 --- a/htdocs/langs/gl_ES/stripe.lang +++ b/htdocs/langs/gl_ES/stripe.lang @@ -1,72 +1,71 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer customers a Stripe online payment page for payments with credit/cebit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=Following URLs are available to offer a page to a customer to make a payment on Dolibarr objects -PaymentForm=Payment form -WelcomeOnPaymentPage=Welcome to our online payment service -ThisScreenAllowsYouToPay=This screen allow you to make an online payment to %s. -ThisIsInformationOnPayment=This is information on payment to do -ToComplete=To complete -YourEMail=Email to receive payment confirmation -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) -Creditor=Creditor -PaymentCode=Payment code -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +StripeSetup=Configuración do módulo Stripe +StripeDesc=Este módulo ofrecelle páxinas para permitir o pagamento a clientes mediante Stripe. Podese usar para un pagamento libre ou para un pagamento dun obxecto en concreto de Dolibarr (factura, pedimento...) +StripeOrCBDoPayment=Pagar con tarxeta de crédito ou Stripe +FollowingUrlAreAvailableToMakePayments=As seguintes URL están dispoñibles para ofrecer unha páxina a un cliente no que facer un pagamento de obxectos Dolibarr +PaymentForm=Forma de pagamento +WelcomeOnPaymentPage=A nosa benvida ao servizo de pagamento en liña +ThisScreenAllowsYouToPay=Esta pantalla permítelle facer un pagamento en liña a %s. +ThisIsInformationOnPayment=Esta é información sobre o pagamento a facer +ToComplete=Completar +YourEMail=Correo electrónico para recibir unha confirmación do pagamento +STRIPE_PAYONLINE_SENDEMAIL=Notificación por correo electrónico despois dun intento de pagamento (éxito ou fracaso) +Creditor=Acredor +PaymentCode=Código do pagamento +StripeDoPayment=Pagar con Stripe +YouWillBeRedirectedOnStripe=Será redirixido á páxina segura de Stripe para introducir a información da súa tarxeta de crédito Continue=Seguinte -ToOfferALinkForOnlinePayment=URL for %s payment -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -AccountParameter=Account parameters -UsageParameter=Usage parameters -InformationToFindParameters=Help to find your %s account information -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -VendorName=Name of vendor -CSSUrlForPaymentForm=CSS style sheet url for payment form -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -FailedToChargeCard=Failed to charge card -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
(TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +ToOfferALinkForOnlinePayment=URL para o pagamento de %s +ToOfferALinkForOnlinePaymentOnOrder=URL para ofrecer unha páxina de pagamento en liña %s para un pedimento de cliente +ToOfferALinkForOnlinePaymentOnInvoice=URL para ofrecer unha páxina de pagamento en liña %s para a factura dun cliente +ToOfferALinkForOnlinePaymentOnContractLine=URL para ofrecer unha páxina de pagamento en liña %s para unha liña de contrato +ToOfferALinkForOnlinePaymentOnFreeAmount=URL para ofrecer unha páxina de pagamento en liña de %s de calquera cantidade sen ningún obxecto existente +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL para ofrecer unha páxina de pagamento en liña %s para unha subscrición de membro +ToOfferALinkForOnlinePaymentOnDonation=URL para ofrecer unha páxina de pagamento en liña %s para o pagamento dunha doazón/subvención +YouCanAddTagOnUrl=Tamén pode engadir o parámetro URL &tag=valore a calquera deses URL (obrigatorio só para o pagamento non ligado a un obxecto) para engadir a súa propia etiqueta de comentario de pagamento.
Para a URL de pagamentos sen ningún obxecto existente, tamén pode engadir o parámetro &noidempotency=1 para que a mesma ligazón coa mesma etiqueta poida usarse varias veces (algúns modos de pagamento poden limitar o pagamento a 1 por cada ligazón diferente sen este parámetro) +SetupStripeToHavePaymentCreatedAutomatically=Configure o seu Stripe coa url %s para que o pagamento se cree automaticamente cando o valide Stripe. +AccountParameter=Parámetros da conta +UsageParameter=Parámetros de uso +InformationToFindParameters=Axuda para atopar a información da súa conta %s +STRIPE_CGI_URL_V2=URL do módulo CGI Stripe para o pagamento +CSSUrlForPaymentForm=URL da folla de estilo CSS para o formulario de pagamento +NewStripePaymentReceived=Recibiuse un novo pagamento Stripe +NewStripePaymentFailed=Intentouse un novo pagamento por Stripe pero fallou +FailedToChargeCard=Non se puido cargar a tarxeta +STRIPE_TEST_SECRET_KEY=Chave de proba secreta +STRIPE_TEST_PUBLISHABLE_KEY=Chave de proba publicable +STRIPE_TEST_WEBHOOK_KEY=Chave de proba de Webhook +STRIPE_LIVE_SECRET_KEY=Chave live secreta +STRIPE_LIVE_PUBLISHABLE_KEY=Chave live publicable +STRIPE_LIVE_WEBHOOK_KEY=Chave live de Webhook +ONLINE_PAYMENT_WAREHOUSE=Stock que se usará para diminuír o stock cando se faga o pagamento en liña
(TODO Cando se fai a opción de diminuír o stock nunha acción de factura e o pagamento en liña xera a factura?) +StripeLiveEnabled=Stripe live activado (se non, proba modo sandbox) +StripeImportPayment=Importar pagamentos de Stripe +ExampleOfTestCreditCard=Exemplo de tarxeta de crédito para a proba:%s => válido,%s => erro CVC,%s => caducado,%s => falla de carga +StripeGateways=Pasarelas de Stripe +OAUTH_STRIPE_TEST_ID=Id de cliente de Stripe Connect (ca _...) +OAUTH_STRIPE_LIVE_ID=Id de cliente Stripe Connect (ca _...) +BankAccountForBankTransfer=Conta bancaria para os as transferencias +StripeAccount=Conta Stripe +StripeChargeList=Listaxe de cargos Stripe +StripeTransactionList=Listaxe de transaccións +StripeCustomerId=Id de cliente de Stripe +StripePaymentModes=Modos de pagamento de Stripe +LocalID=ID local +StripeID=ID Stripe +NameOnCard=Nome na tarxeta +CardNumber=Número de tarxeta +ExpiryDate=Datos de caducidade CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... -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 +DeleteACard=Eliminar tarxeta +ConfirmDeleteCard=Este certo querer eliminar esta tarxeta de Crédito ou Débito? +CreateCustomerOnStripe=Crear cliente en Stripe +CreateCardOnStripe=Crear unha tarxeta en Stripe +ShowInStripe=Amosar en Stripe +StripeUserAccountForActions=Conta de usuario a utilizar para a notificación por correo electrónico dalgúns eventos de Stripe (pagos de Stripe) +StripePayoutList=Listaxe de pagamentos de Stripe +ToOfferALinkForTestWebhook=Ligazón para configurar Stripe WebHook para chamar ao IPN (modo de proba) +ToOfferALinkForLiveWebhook=Ligazón para configurar Stripe WebHook para chamar ao IPN (modo en directo) +PaymentWillBeRecordedForNextPeriod=O pago será rexistrado para o seguinte período. +ClickHereToTryAgain= Faga clic aquí para tentalo de novo ... +CreationOfPaymentModeMustBeDoneFromStripeInterface=Debido a fortes regras de autenticación do cliente, a creación dunha tarxeta debe facerse desde o backoffice de Stripe. Pode facer clic aquí para activar o rexistro de cliente de Stripe:%s diff --git a/htdocs/langs/gl_ES/supplier_proposal.lang b/htdocs/langs/gl_ES/supplier_proposal.lang index 76ec6489a08..1d11586a557 100644 --- a/htdocs/langs/gl_ES/supplier_proposal.lang +++ b/htdocs/langs/gl_ES/supplier_proposal.lang @@ -19,8 +19,8 @@ ShowSupplierProposal=Amosar orzamento AddSupplierProposal=Crear un orzamento SupplierProposalRefFourn=Ref. provedor SupplierProposalDate=Data de entrega -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? +SupplierProposalRefFournNotice=Antes de pechar a "Aceptado", pense en comprender as referencias dos provedores. +ConfirmValidateAsk=Está certo de querer validar esta solicitude de prezo co nome %s? DeleteAsk=Eliminar orzamento ValidateAsk=Validar orzamento SupplierProposalStatusDraft=Borrador (a validar) diff --git a/htdocs/langs/gl_ES/suppliers.lang b/htdocs/langs/gl_ES/suppliers.lang index daa7379bf6f..1d835ebdedb 100644 --- a/htdocs/langs/gl_ES/suppliers.lang +++ b/htdocs/langs/gl_ES/suppliers.lang @@ -34,8 +34,8 @@ AddSupplierInvoice=Crear factura de provedor ListOfSupplierProductForSupplier=Listaxe de produtos e prezos do provedor %s SentToSuppliers=Enviado a provedores ListOfSupplierOrders=Listaxe de pedimentos a provedor -MenuOrdersSupplierToBill=Pedidos a provedor a facturar -NbDaysToDelivery=Tempo de entrega en días +MenuOrdersSupplierToBill=Pedimentos a provedor a facturar +NbDaysToDelivery=Tempo de entrega (en días) DescNbDaysToDelivery=O maior atraso nas entregas de produtos deste pedimento SupplierReputation=Reputación provedor ReferenceReputation=Reputación de referencia diff --git a/htdocs/langs/gl_ES/trips.lang b/htdocs/langs/gl_ES/trips.lang index 639e621d831..98087e25679 100644 --- a/htdocs/langs/gl_ES/trips.lang +++ b/htdocs/langs/gl_ES/trips.lang @@ -1,151 +1,151 @@ # Dolibarr language file - Source file is en_US - trips -ShowExpenseReport=Show expense report +ShowExpenseReport=Ver informe de gastos Trips=Informes de gastos -TripsAndExpenses=Expenses reports -TripsAndExpensesStatistics=Expense reports statistics -TripCard=Expense report card -AddTrip=Create expense report -ListOfTrips=List of expense reports -ListOfFees=List of fees -TypeFees=Types of fees -ShowTrip=Show expense report -NewTrip=New expense report -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports -CompanyVisited=Company/organization visited -FeesKilometersOrAmout=Amount or kilometers -DeleteTrip=Delete expense report -ConfirmDeleteTrip=Are you sure you want to delete this expense report? -ListTripsAndExpenses=List of expense reports -ListToApprove=Waiting for approval -ExpensesArea=Expense reports area -ClassifyRefunded=Classify 'Refunded' -ExpenseReportWaitingForApproval=A new expense report has been submitted for approval -ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.
- User: %s
- Period: %s
Click here to validate: %s -ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval -ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval.
The %s, you refused to approve the expense report for this reason: %s.
A new version has been proposed and waiting for your approval.
- User: %s
- Period: %s
Click here to validate: %s -ExpenseReportApproved=An expense report was approved -ExpenseReportApprovedMessage=The expense report %s was approved.
- User: %s
- Approved by: %s
Click here to show the expense report: %s -ExpenseReportRefused=An expense report was refused -ExpenseReportRefusedMessage=The expense report %s was refused.
- User: %s
- Refused by: %s
- Motive for refusal: %s
Click here to show the expense report: %s -ExpenseReportCanceled=An expense report was canceled -ExpenseReportCanceledMessage=The expense report %s was canceled.
- User: %s
- Canceled by: %s
- Motive for cancellation: %s
Click here to show the expense report: %s -ExpenseReportPaid=An expense report was paid -ExpenseReportPaidMessage=The expense report %s was paid.
- User: %s
- Paid by: %s
Click here to show the expense report: %s -TripId=Id expense report -AnyOtherInThisListCanValidate=Person to inform for validation. -TripSociete=Information company -TripNDF=Informations expense report -PDFStandardExpenseReports=Standard template to generate a PDF document for expense report -ExpenseReportLine=Expense report line +TripsAndExpenses=Informes de gastos +TripsAndExpensesStatistics=Estatísticas de informes de gastos +TripCard=Ficha de informe gasto +AddTrip=Crear informe de informes de gasto +ListOfTrips=Listaxe de informes de gastos +ListOfFees=Listaxe de honorarios +TypeFees=Tipos de honorarios +ShowTrip=Ver informe de gastos +NewTrip=Novo informe de gasto +LastExpenseReports=Últimos %s informes de gastos +AllExpenseReports=Todos os informes de gastos +CompanyVisited=Empresa/organización visitada +FeesKilometersOrAmout=Importe ou quilómetros +DeleteTrip=Eliminar informe de gasto +ConfirmDeleteTrip=¿Está certo de querer eliminar este informe de gasto? +ListTripsAndExpenses=Listaxe de informe de gastos +ListToApprove=Agardando aprobación +ExpensesArea=Área de informe de gastos +ClassifyRefunded=Clasificar 'Reembolsado' +ExpenseReportWaitingForApproval=Foi enviado un novo informe de gasto para ser aprobado +ExpenseReportWaitingForApprovalMessage=Foi enviado un novo ginforme de asto e está agardando para ser aprobado.
- Usuario: %s
- Periodo. %s
Faga clic aquí para validalo: %s +ExpenseReportWaitingForReApproval=Foi enviado un novo informe de gasto para aprobalo de novo +ExpenseReportWaitingForReApprovalMessage=Foi enviado un novo informe de gasto e está agardando para ser aprobado de novo.
O %s, rexeitou a súa aprobación por esta razón: %s
Foi proposta unha nova versión e agarda a súa aprobación.
- Usuario: %s
- Periodo. %s
Faga clic aquí para validalo: %s +ExpenseReportApproved=Un novo informe de gasto foi aprobado +ExpenseReportApprovedMessage=O informe de gasto %s foi aprobado.
- Usuario: %s
- Aprobado por: %s
Faga clic aquí para validalo: %s +ExpenseReportRefused=Un informe de gasto foi rexeitado +ExpenseReportRefusedMessage=O informe de gasto %s foi rexeitado.
- Usuario: %s
- Rexeitado por: %s
- Motivo do rexeitamento: %s
Faga clic aquí ver o gasto: %s +ExpenseReportCanceled=Un informe de gasto foi cancelado +ExpenseReportCanceledMessage=O informe de gasto %s foi cancelado.
- Usuario: %s
- Cancelado por: %s
- Motivo da cancelación: %s
Faga clic aquí ver o gasto: %s +ExpenseReportPaid=Un informe de gasto foi pagado +ExpenseReportPaidMessage=O informe de gasto %s foi pagado.
- Usuario: %s
- Pagado por: %s
Faga clic aquí ver o gasto: %s +TripId=Id de informe de gasto +AnyOtherInThisListCanValidate=Persoa a informar para a validación +TripSociete=Información da empresa +TripNDF=Información do informe de gasto +PDFStandardExpenseReports=Prantilla estandard para xerar un documento de informe de gasto +ExpenseReportLine=Liña de informe gasto TF_OTHER=Outro -TF_TRIP=Transportation -TF_LUNCH=Lunch +TF_TRIP=Transporte +TF_LUNCH=Xantar TF_METRO=Metro -TF_TRAIN=Train -TF_BUS=Bus +TF_TRAIN=Trén +TF_BUS=Autocar TF_CAR=Coche -TF_PEAGE=Toll -TF_ESSENCE=Fuel +TF_PEAGE=Peaxe +TF_ESSENCE=Combustible TF_HOTEL=Hotel TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV +EX_KME=Custos de quilometraxe +EX_FUE=Combustible EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number -UploadANewFileNow=Upload a new document now -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' -ErrorDoubleDeclaration=You have declared another expense report into a similar date range. -AucuneLigne=There is no expense report declared yet -ModePaiement=Payment mode -VALIDATOR=User responsible for approval +EX_PAR=Estacionamento +EX_TOL=Peaxe +EX_TAX=Impostos varios +EX_IND=Suscrición de indemnización por transporte +EX_SUM=Mantemento +EX_SUO=Material de oficina +EX_CAR=Aluguer de vehículos +EX_DOC=Documentación +EX_CUR=Os clientes reciben +EX_OTR=Outros receptores +EX_POS=Franqueo +EX_CAM=Mantemento e reparación +EX_EMM=Alimentación de empregados +EX_GUM=Alimentación dos hóspedes +EX_BRE=Almorzo +EX_FUE_VP=Combustible +EX_TOL_VP=Peaxe +EX_PAR_VP=Estacionamento +EX_CAM_VP=Mantemento e reparacións +DefaultCategoryCar=Modo de transporte predeterminado +DefaultRangeNumber=Número de rango predeterminado +UploadANewFileNow=Subir un novo documento agora +Error_EXPENSEREPORT_ADDON_NotDefined=Erro, a regra para a ref de numeración do informe de gastos non se definiu na configuración do módulo "Informe de gastos" +ErrorDoubleDeclaration=Declarou outro informe de gastos nun intervalo de datas similar. +AucuneLigne=Non hai gastos declarados +ModePaiement=Modo de pagamento +VALIDATOR=Usuario responsable para aprobación VALIDOR=Aprobado por -AUTHOR=Recorded by +AUTHOR=Rexistrado por AUTHORPAIEMENT=Pagado por -REFUSEUR=Denied by -CANCEL_USER=Deleted by +REFUSEUR=Denegado por +CANCEL_USER=Eliminado por MOTIF_REFUS=Razón MOTIF_CANCEL=Razón -DATE_REFUS=Deny date +DATE_REFUS=Data de denegación DATE_SAVE=Data de validación -DATE_CANCEL=Cancelation date -DATE_PAIEMENT=Data de pago -BROUILLONNER=Reopen -ExpenseReportRef=Ref. expense report -ValidateAndSubmit=Validate and submit for approval -ValidatedWaitingApproval=Validated (waiting for approval) -NOT_AUTHOR=You are not the author of this expense report. Operation cancelled. -ConfirmRefuseTrip=Are you sure you want to deny this expense report? -ValideTrip=Approve expense report -ConfirmValideTrip=Are you sure you want to approve this expense report? -PaidTrip=Pay an expense report -ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"? -ConfirmCancelTrip=Are you sure you want to cancel this expense report? -BrouillonnerTrip=Move back expense report to status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? -SaveTrip=Validate expense report -ConfirmSaveTrip=Are you sure you want to validate this expense report? -NoTripsToExportCSV=No expense report to export for this period. -ExpenseReportPayment=Expense report payment -ExpenseReportsToApprove=Expense reports to approve -ExpenseReportsToPay=Expense reports to pay -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? -ExpenseReportsIk=Expense report milles index -ExpenseReportsRules=Expense report rules -ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers -ExpenseReportRulesDesc=You can create or update any rules of calculation. This part will be used when user will create a new expense report +DATE_CANCEL=Data de cancelación +DATE_PAIEMENT=Data de pagamento +BROUILLONNER=Abrir de novo +ExpenseReportRef=Ref. informe de gasto +ValidateAndSubmit=Validar e enviar para aprobar +ValidatedWaitingApproval=Validado (agardando aprobación) +NOT_AUTHOR=Non é o autor deste informe de gasto. Operación cancelada. +ConfirmRefuseTrip=¿Está certo de querer denegar este informe de gasto? +ValideTrip=Aprobar informe de gasto +ConfirmValideTrip=¿Está certo de querer aprobar este informe de gasto? +PaidTrip=Pagarinforme de gasto +ConfirmPaidTrip=¿Está certo de querer cambiar o estado deste informe de gasto a "Pagado"? +ConfirmCancelTrip=¿Está certo de querer cancelar este informe de gasto? +BrouillonnerTrip=Devolver o informe de gasto ao estado "Borrador" +ConfirmBrouillonnerTrip=¿Está certo de querer devolver este informe de gasto ao estado "Borrador"? +SaveTrip=Validar informe de gasto +ConfirmSaveTrip=¿Está certo de querer validar este informe de gasto? +NoTripsToExportCSV=Sen informe de gasto a exportar para este periodo. +ExpenseReportPayment=Informe de pagamentos de gastos +ExpenseReportsToApprove=Informe de gastos a aprobar +ExpenseReportsToPay=Informe de gastos a pagar +ConfirmCloneExpenseReport=¿Está certo de querer eliminar este informe de gastos? +ExpenseReportsIk=Configuración das tarifas de quilometraxe +ExpenseReportsRules=Regras de informe de gastos +ExpenseReportIkDesc=Pode modificar o cálculo do gasto en quilómetros por categoría e intervalo que se definiron previamente. d é a distancia en quilómetros +ExpenseReportRulesDesc=Pode crear ou actualizar calquera regra de cálculo. Esta parte utilizase cando o usuario cree un novo informe de gastos expenseReportOffset=Decálogo -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay +expenseReportCoef=Coeficiente +expenseReportTotalForFive=Exemplo con d= 5 +expenseReportRangeFromTo=de %d a %d +expenseReportRangeMoreThan=mais de %d +expenseReportCoefUndefined=(valor non definido) +expenseReportCatDisabled=Categoría deshabilitada - vexa o diccionario c_exp_tax_cat +expenseReportRangeDisabled=Intervalo deshabilitado: consulte o diccionario c_exp_tax_range expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on -ExpenseReportDateStart=Date start -ExpenseReportDateEnd=Date end -ExpenseReportLimitAmount=Limite amount -ExpenseReportRestrictive=Restrictive -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d -ExpenseReportConstraintViolationError=Constraint violation id [%s]: %s is superior to %s %s -byEX_DAY=by day (limitation to %s) -byEX_MON=by month (limitation to %s) -byEX_YEA=by year (limitation to %s) -byEX_EXP=by line (limitation to %s) -ExpenseReportConstraintViolationWarning=Constraint violation id [%s]: %s is superior to %s %s -nolimitbyEX_DAY=by day (no limitation) -nolimitbyEX_MON=by month (no limitation) -nolimitbyEX_YEA=by year (no limitation) -nolimitbyEX_EXP=by line (no limitation) -CarCategory=Category of car -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range -AttachTheNewLineToTheDocument=Attach the line to an uploaded document +ExpenseReportApplyTo=Aplicar a +ExpenseReportDomain=Dominio a aplicar +ExpenseReportLimitOn=Límite en +ExpenseReportDateStart=Data inicio +ExpenseReportDateEnd=Data fin +ExpenseReportLimitAmount=Importe límite +ExpenseReportRestrictive=Restrictivo +AllExpenseReport=Todo tipo de informe de gastos +OnExpense=Liña de gastos +ExpenseReportRuleSave=Foi gardada a regra de informe de gastos +ExpenseReportRuleErrorOnSave=Erro: %s +RangeNum=Intervalo %d +ExpenseReportConstraintViolationError=Id de infracción [%s]: %s é superior a %s %s +byEX_DAY=por día (limitación a %s) +byEX_MON=por mes (limitación a %s) +byEX_YEA=por ano (limitación a %s) +byEX_EXP=por liña(limitación a %s) +ExpenseReportConstraintViolationWarning=Id de infracción [%s]: %s é superior a %s %s +nolimitbyEX_DAY=por día (sen limitación) +nolimitbyEX_MON=por mes (sen limitación) +nolimitbyEX_YEA=por ano (sen limitación) +nolimitbyEX_EXP=por liña (sen limitación) +CarCategory=Categoría do vehículo +ExpenseRangeOffset=Importe compensado: %s +RangeIk=Intervalo de quilometraxe +AttachTheNewLineToTheDocument=Engadir a liña a un documento actualizado diff --git a/htdocs/langs/gl_ES/withdrawals.lang b/htdocs/langs/gl_ES/withdrawals.lang index ecb3e21ff85..c16fdee4969 100644 --- a/htdocs/langs/gl_ES/withdrawals.lang +++ b/htdocs/langs/gl_ES/withdrawals.lang @@ -7,31 +7,31 @@ NewStandingOrder=Nova domiciliación NewPaymentByBankTransfer=Novo pagamenyo por transferencia StandingOrderToProcess=A procesar PaymentByBankTransferReceipts=Solicitudes de transferencia -PaymentByBankTransferLines=Credit transfer order lines +PaymentByBankTransferLines=Liñas de ordes de transferencia WithdrawalsReceipts=Domiciliacións WithdrawalReceipt=Domiciliación BankTransferReceipts=Solicitudes de transferencia -BankTransferReceipt=Credit transfer order -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 -CreditTransferLines=Credit transfer lines +BankTransferReceipt=Ordes de transferencia +LatestBankTransferReceipts=Últimas %s ordes de transferencia +LastWithdrawalReceipts=Últimos %s ficheiros de ordes de domiciliación +WithdrawalsLine=Liña de orde de domiciliacións +CreditTransferLine=Liña de orde de transferencia +WithdrawalsLines=Liñas de ordes de domiciliación +CreditTransferLines=Liñas de ordes de transferencia RequestStandingOrderToTreat=Peticións de domiciliacións a procesar RequestStandingOrderTreated=Peticións de domiciliacións procesadas -RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process -RequestPaymentsByBankTransferTreated=Requests for credit transfer processed +RequestPaymentsByBankTransferToTreat=Solicitudes de transferencia a tramitar +RequestPaymentsByBankTransferTreated=Solicitudes de transferencia a procesar NotPossibleForThisStatusOfWithdrawReceiptORLine=Aínda non é posible. O estado da domiciliación debe ser 'abonada' antes de poder realizar devolucións as súas líñas NbOfInvoiceToWithdraw=Nº de facturas pendentes de domiciliación NbOfInvoiceToWithdrawWithInfo=Número de facturas agardando domiciliación para clientes que teñen o seu número de conta definida -NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer -SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer +NbOfInvoiceToPayByBankTransfer=Nº de facturas de provedores agardando un pagamento mediante transferencia +SupplierInvoiceWaitingWithdraw=Factura de provedor agardando pagamento mediante transferencia InvoiceWaitingWithdraw=Facturas agardando domiciliación -InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer +InvoiceWaitingPaymentByBankTransfer=Factura agardando transferencia AmountToWithdraw=Cantidade a domiciliar -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. +NoInvoiceToWithdraw=Non hai ningunha factura aberta para '%s' agardando. Vaia á lapela '%s' da tarxeta de factura para facer unha solicitude. +NoSupplierInvoiceToWithdraw=Non hai ningunha factura do provedor con "Solicitudes de crédito" abertas. Vaia á pestana '%s' da tarxeta da factura para facer unha solicitude. ResponsibleUser=Usuario responsable das domiciliacións WithdrawalsSetup=Configuración das domiciliacións CreditTransferSetup=Configuración das transferencias @@ -44,7 +44,7 @@ MakeBankTransferOrder=Realizar unha petición de transferencia WithdrawRequestsDone=%s domiciliacións rexistradas BankTransferRequestsDone=%s transferencias rexistradas ThirdPartyBankCode=Código banco do terceiro -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. +NoInvoiceCouldBeWithdrawed=Non se facturou ningunha factura correctamente. Comprobe que as facturas son de empresas con IBAN válido e que IBAN ten unha RMU (Referencia de mandato único) co modo %s1. ClassCredited=Clasificar como "Abonada" ClassCreditedConfirm=¿Está certo de querer clasificar esta domiciliación como abonada na súa conta bancaria? TransData=Data envío @@ -53,8 +53,8 @@ Send=Enviar Lines=Líñas StandingOrderReject=Emitir unha devolución WithdrawsRefused=Devolución de domiciliación -WithdrawalRefused=Withdrawal refused -CreditTransfersRefused=Credit transfers refused +WithdrawalRefused=Retirada rexeitada +CreditTransfersRefused=Transferencia rexeitada WithdrawalRefusedConfirm=¿Está certo de querer crear unha devolución de domiciliación para a empresa RefusedData=Data de devolución RefusedReason=Motivo de devolución @@ -64,7 +64,7 @@ InvoiceRefused=Factura rexeitada (Cargar os gastos ao cliente) StatusDebitCredit=Estado de débito/crédito StatusWaiting=Agardando StatusTrans=Enviada -StatusDebited=Debited +StatusDebited=Adebedado StatusCredited=Abonada StatusPaid=Paga StatusRefused=Rexeitada @@ -91,15 +91,15 @@ NumeroNationalEmetter=Número Nacional do Emisor WithBankUsingRIB=Para as contas bancarias que utilizan RIB WithBankUsingBANBIC=Para as contas bancarias que utilizan o código BAN/BIC/SWIFT BankToReceiveWithdraw=Conta bancaria para recibir a domiciliación -BankToPayCreditTransfer=Bank Account used as source of payments +BankToPayCreditTransfer=Conta bancaria empregada como fonte de pagamentos CreditDate=Abonada o -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) +WithdrawalFileNotCapable=Non se pode xerar o ficheiro de recibo de retirada para o seu país %s (o seu país non está incluido) ShowWithdraw=Ver domiciliación -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->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null. -WithdrawalFile=Debit order file -CreditTransferFile=Credit transfer file +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Porén, se a factura ten polo menos unha orde de pagamento por domiciliación bancaria aínda non procesada, non se configurará como paga para permitir a xestión previa da retirada. +DoStandingOrdersBeforePayments=Esta lapela permítelle solicitar unha orde de pagamento por domiciliación bancaria. Unha vez feito isto, entra no menú Banco-> Pago mediante domiciliación bancaria para xerar e xestionar a orde de domiciliación bancaria. Cando se pecha a orde de domiciliación bancaria, o pagamento das facturas rexistrarase automaticamente e as facturas pecharanse se o resto do pago é nulo. +DoCreditTransferBeforePayments=Esta lapela permítelle solicitar unha orde de transferencia. Unha vez feito isto, entra no menú Banco-> Pago mediante transferencia para xerar e xestionar a orde de transferencia. Cando se pecha a orde de transferencia, o pagamento das facturas rexistrarase automaticamente e as facturas pecharanse se o resto do pago é nulo. +WithdrawalFile=Ficheiro de domiciliación +CreditTransferFile=Ficheiro de transferencia SetToStatusSent=Clasificar como "Ficheiro enviado" ThisWillAlsoAddPaymentOnInvoice=Isto tamén rexistrará os pagos nas facturas e clasificaos como "Pagados" se queda por pagar é nulo StatisticsByLineStatus=Estatísticas por estado das liñas @@ -109,7 +109,7 @@ RUMLong=Referencia única do mandato RUMWillBeGenerated=Se está baleiro, o número RUM /Referencia Única do Mandato) xérase unha vez gardada a información da conta bancaria WithdrawMode=Modo domiciliación (FRST o RECUR) WithdrawRequestAmount=Importe da domiciliación -BankTransferAmount=Amount of Credit Transfer request: +BankTransferAmount=Importe da solicitude WithdrawRequestErrorNilAmount=Non é posible crear unha domiciliación sen importe SepaMandate=Mandato SEPA SepaMandateShort=Mandato SEPA @@ -125,7 +125,7 @@ SEPAFrstOrRecur=Tipo de pagamento ModeRECUR=Pago recorrente ModeFRST=Pago único PleaseCheckOne=Escolla só un -CreditTransferOrderCreated=Credit transfer order %s created +CreditTransferOrderCreated=Creouse a orde de transferencia %s DirectDebitOrderCreated=Domiciliación %s creada AmountRequested=Importe solicitado SEPARCUR=SEPA CUR @@ -133,7 +133,7 @@ SEPAFRST=SEPA FRST ExecutionDate=Data de execución CreateForSepa=Crear ficheiro de domiciliación bancaria ICS=Identificador de acreedor CI -ICSTransfer=Creditor Identifier CI for bank transfer +ICSTransfer=Identificador de acredor CI para transferencia bancaria END_TO_END=Etiqueta XML SEPA "EndToEndId" - ID único asignada por transacción USTRD=Etiqueta SEPA XML "Unstructured" ADDDAYS=Engadir días á data de execución diff --git a/htdocs/langs/gl_ES/workflow.lang b/htdocs/langs/gl_ES/workflow.lang index 18a8d3f5eb7..94f8cdf6094 100644 --- a/htdocs/langs/gl_ES/workflow.lang +++ b/htdocs/langs/gl_ES/workflow.lang @@ -8,15 +8,15 @@ descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura a clie descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear unha factura a cliente automáticamente despois de validar un contrato descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente unha factura a cliente despois de pechar o pedimento de cliente ( nova factura terá o mesmo importe que o pedimento) # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar orzamento(s) orixe como facturado cando o pedimento do cliente sexa marcado como facturado (e se o importe do pedimento é igual á suma dos importes dos orzamentos relacionados) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar os orzamento(s) orixe como facturados cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos relacionados) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedimento(s) de cliente orixe como facturado cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedimento(s) de cliente orixe como facturado cando a factura ao cliente sexa marcada como pagada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar orzamento orixe como facturado cando o pedimento do cliente sexa marcado como facturado (e se o importe do pedimento é igual á suma dos importes dos orzamentos ligados) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar o orzamento orixe como facturados cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos ligados) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedimento de cliente orixe como facturado cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos ligados) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedimento de cliente orixe como facturado cando a factura ao cliente sexa marcada como pagada (e se o importe da factura é igual á suma dos importes dos pedimentos ligados) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar automáticamente o pedimento orixe como enviado cando o envío sexa validado (e se a cantidade enviada por todos os envíos é a mesma que o pedimento a actualizar) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar os orzamento(s) de provedor orixe como facturado(s) cando a factura de provedor sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos relacionados) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar pedimento(s) a provedor orixe como facturado(s) cando a factura de provedor sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados) -descWORKFLOW_BILL_ON_RECEPTION=Clasificar recepcións a "facturado" cando sexa validado un pedido de provedor relacionado +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar o orzamento ligado de provedor orixe como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos orzamentos ligados) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar o pedimento orixe a provedor ligado como facturado cando a factura de provedor sexa validada (e se o importe da factura é igual á suma do importe dos pedimentos ligados) +descWORKFLOW_BILL_ON_RECEPTION=Clasificar recepcións a "facturado" cando sexa validado un pedimento de provedor ligado # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Pecha todas as intervencións ligadas ao ticket cando o ticket está pechado AutomaticCreation=Creación automática diff --git a/htdocs/langs/gl_ES/zapier.lang b/htdocs/langs/gl_ES/zapier.lang index a92ff38f3ce..64d3db80452 100644 --- a/htdocs/langs/gl_ES/zapier.lang +++ b/htdocs/langs/gl_ES/zapier.lang @@ -26,4 +26,4 @@ ModuleZapierForDolibarrDesc = Zapier para modulo de Dolibarr # Admin page # ZapierForDolibarrSetup = Configuración de Zapier para Dolibarr -ZapierDescription=Interface with Zapier +ZapierDescription=Interfaz con Zapier diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 1aa36f4265d..4054d2ac96a 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=מודול שירותי התקנה ProductServiceSetup=מוצרים ושירותים ההתקנה מודולים NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=ברקוד מסוג ברירת מחדל עבור מוצרים diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 9daefe2e59c..d8012ef5cac 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index 19febde0e82..d9cb3f15d68 100644 --- a/htdocs/langs/he_IL/products.lang +++ b/htdocs/langs/he_IL/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index c69aa3209c0..22aa61251a1 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/hi_IN/admin.lang b/htdocs/langs/hi_IN/admin.lang index 3704cf5a9cc..321b843e4c9 100644 --- a/htdocs/langs/hi_IN/admin.lang +++ b/htdocs/langs/hi_IN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/hi_IN/other.lang b/htdocs/langs/hi_IN/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/hi_IN/other.lang +++ b/htdocs/langs/hi_IN/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/hi_IN/products.lang b/htdocs/langs/hi_IN/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/hi_IN/products.lang +++ b/htdocs/langs/hi_IN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/hi_IN/projects.lang b/htdocs/langs/hi_IN/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/hi_IN/projects.lang +++ b/htdocs/langs/hi_IN/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 106fe1407cf..c45dced375a 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Podešavanje modula usluga ProductServiceSetup=Podešavanje modula Proizvoda i usluga NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Zadana vrsta barkoda za korištenje kod proizvoda diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index 12f0f2be331..64569be38b6 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -1012,7 +1012,7 @@ SearchIntoMembers=Članovi SearchIntoUsers=Korisnici SearchIntoProductsOrServices=Proizvodi ili usluge SearchIntoProjects=Projekti -SearchIntoMO=Manufacturing Orders +SearchIntoMO=Proizvodni nalozi SearchIntoTasks=Zadaci SearchIntoCustomerInvoices=Računi za kupce SearchIntoSupplierInvoices=Ulazni računi diff --git a/htdocs/langs/hr_HR/mrp.lang b/htdocs/langs/hr_HR/mrp.lang index f018be890cc..10d00aa9e6d 100644 --- a/htdocs/langs/hr_HR/mrp.lang +++ b/htdocs/langs/hr_HR/mrp.lang @@ -1,17 +1,17 @@ -Mrp=Manufacturing Orders +Mrp=Proizvodni nalozi MOs=Manufacturing orders -ManufacturingOrder=Manufacturing Order +ManufacturingOrder=Proizvodni nalog MRPDescription=Module to manage production and Manufacturing Orders (MO). MRPArea=MRP Area MrpSetupPage=Setup of module MRP MenuBOM=Bills of material LatestBOMModified=Latest %s Bills of materials modified LatestMOModified=Latest %s Manufacturing Orders modified -Bom=Bills of Material -BillOfMaterials=Bill of Material +Bom=Sastavnice +BillOfMaterials=Sastavnica BOMsSetup=Setup of module BOM ListOfBOMs=List of bills of material - BOM -ListOfManufacturingOrders=List of Manufacturing Orders +ListOfManufacturingOrders=Lista proizvodnih naloga NewBOM=New bill of material ProductBOMHelp=Product to create with this BOM.
Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. BOMsNumberingModules=BOM numbering templates @@ -32,13 +32,13 @@ 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 +MenuMRP=Proizvodni nalozi +NewMO=Novi proizvodni nalog QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned +DateStartPlannedMo=Datum početka planirani +DateEndPlannedMo=Datum završetka planirani KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration +EstimatedDuration=Procjena trajanja 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) ? diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index 87a41146b95..e96a3a7a4a4 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index d702a04fc78..62d40d82a31 100644 --- a/htdocs/langs/hr_HR/products.lang +++ b/htdocs/langs/hr_HR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index 0b381082a17..ff826d9e7a5 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moji zadaci/aktivnosti MyProjects=Moji projekti MyProjectsArea=Sučelje mojih projekata DurationEffective=Efektivno trajanje -ProgressDeclared=Objavljeni napredak +ProgressDeclared=Declared real progress TaskProgressSummary=Napredak zadatka CurentlyOpenedTasks=Curently open tasks -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarirani napredak manji je za %s od pretpostavljenog napretka -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarirani napredak veći je za %s od pretpostavljenog napretka -ProgressCalculated=Izračunati napredak +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=s kojim sam povezan WhichIamLinkedToProject=projekt s kojim sam povezan Time=Vrijeme +TimeConsumed=Consumed ListOfTasks=Popis zadataka GoToListOfTimeConsumed=Idi na popis utrošenog vremena GanttView=Gantogram diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index 04f16556d06..8f156fbf3c8 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Szolgáltatások modul beállítása ProductServiceSetup=Termékek és szolgáltatások modulok beállítása NumberOfProductShowInSelect=A kombinált kiválasztási listákban megjelenítendő termékek maximális száma (0 = nincs korlátozás) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=A termékleírások megjelenítése a partner nyelvén +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Alapértelmezett típusú vonalkód használatát termékek diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index 29967b14c24..db482da70da 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=A költségjelentés érvényesítve (jóváhagy Notify_EXPENSE_REPORT_APPROVE=A költségjelentés jóváhagyva Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) Notify_HOLIDAY_APPROVE=Leave request approved +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Lásd a %s modul beállításait NbOfAttachedFiles=Száma csatolt fájlok / dokumentumok TotalSizeOfAttachedFiles=Teljes méretű csatolt fájlok / dokumentumok @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Az %s költségjelentés érvényesítve. EMailTextExpenseReportApproved=Az %s költségjelentés jóváhagyva. EMailTextHolidayValidated=Az %sszabadságkérelem érvényesítve. EMailTextHolidayApproved=Az %s szabadságkérelem jóváhagyva. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Behozatal adathalmaz DolibarrNotification=Automatikus értesítés ResizeDesc=Írja be az új szélesség vagy új magasság. Arányt kell tartani során átméretezés ... diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index cfb3c184ba5..6add4db3590 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 6dec0368501..faec1be92fe 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -1,18 +1,18 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. -ProjectId=Project Id -ProjectLabel=Project label -ProjectsArea=Projects Area -ProjectStatus=Project status +RefProject=Ref. projekt +ProjectRef=Projekt ref. +ProjectId=Projekt azonosítója +ProjectLabel=Projekt címke +ProjectsArea=Projektek területe +ProjectStatus=Projekt állapota SharedProject=Mindenki PrivateProject=Projekt kapcsolatok -ProjectsImContactFor=Projects for which I am explicitly a contact -AllAllowedProjects=All project I can read (mine + public) +ProjectsImContactFor=Olyan projektek, amelyekkel kifejezetten kapcsolatban állok +AllAllowedProjects=Az összes projekt, amit el tudok olvasni (az enyém + nyilvános) AllProjects=Minden projekt -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=Ez a nézet azokra a projektekre korlátozódik, amelyekhez Ön kapcsolattartó ProjectsPublicDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva. -TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. +TasksOnProjectsPublicDesc=Ez a nézet azokat a projekteket mutatja be, amelyeket elolvashat. ProjectsPublicTaskDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva. ProjectsDesc=Ez a nézet minden projektet tartalmaz. TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). @@ -26,244 +26,245 @@ OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yo ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Új projekt -AddProject=Create project +AddProject=Projekt létrehozása DeleteAProject=Projekt törlése DeleteATask=Feladat törlése -ConfirmDeleteAProject=Are you sure you want to delete this project? -ConfirmDeleteATask=Are you sure you want to delete this task? -OpenedProjects=Open projects -OpenedTasks=Open tasks -OpportunitiesStatusForOpenedProjects=Leads amount of open projects by status -OpportunitiesStatusForProjects=Leads amount of projects by status +ConfirmDeleteAProject=Biztosan törli a projektet? +ConfirmDeleteATask=Biztosan törli ezt a feladatot? +OpenedProjects=Nyitott projektek +OpenedTasks=Nyitott feladatok +OpportunitiesStatusForOpenedProjects=Vezet a nyitott projektek mennyisége állapot szerint +OpportunitiesStatusForProjects=Vezeti a projektek mennyiségét állapot szerint ShowProject=Projektek mutatása ShowTask=Feladat mutatása SetProject=Projekt beállítása NoProject=Nincs létrehozott vagy tulajdonolt projekt -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Projektek száma +NbOfTasks=Feladatok száma TimeSpent=Eltöltött idő -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user -TimesSpent=Töltött idő -TaskId=Task ID -RefTask=Task ref. -LabelTask=Task label -TaskTimeSpent=Time spent on tasks +TimeSpentByYou=Ön által eltöltött idő +TimeSpentByUser=A felhasználó által eltöltött idő +TimesSpent=Eltöltött idő +TaskId=Feladat azonosítója +RefTask=Feladat ref. +LabelTask=Feladat címke +TaskTimeSpent=Feladatokra fordított idő TaskTimeUser=Felhasználó TaskTimeNote=Megjegyzés TaskTimeDate=Dátum -TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined +TasksOnOpenedProject=Feladatok nyílt projektekről +WorkloadNotDefined=A munkaterhelés nincs meghatározva NewTimeSpent=Töltött idő MyTimeSpent=Az én eltöltött időm -BillTime=Bill the time spent -BillTimeShort=Bill time -TimeToBill=Time not billed -TimeBilled=Time billed +BillTime=Bill az eltöltött idő +BillTimeShort=Bill idő +TimeToBill=Az idő nincs számlázva +TimeBilled=Számlázott idő Tasks=Feladatok Task=Feladat -TaskDateStart=Task start date -TaskDateEnd=Task end date -TaskDescription=Task description +TaskDateStart=A feladat kezdési dátuma +TaskDateEnd=A feladat befejezésének dátuma +TaskDescription=Feladatleírás NewTask=Új feladat -AddTask=Create task -AddTimeSpent=Create time spent -AddHereTimeSpentForDay=Add here time spent for this day/task -AddHereTimeSpentForWeek=Add here time spent for this week/task +AddTask=Feladat létrehozása +AddTimeSpent=Hozzon létre töltött időt +AddHereTimeSpentForDay=Adja ide a napra / feladatra fordított időt +AddHereTimeSpentForWeek=Adja ide a hétre / feladatra fordított időt Activity=Aktivitás Activities=Feladatok/aktivitások MyActivities=Feladataim/Aktivitásaim MyProjects=Projektjeim -MyProjectsArea=My projects Area +MyProjectsArea=Saját projektek Terület DurationEffective=Effektív időtartam -ProgressDeclared=Declared progress -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 -ProgressCalculated=Calculated progress -WhichIamLinkedTo=which I'm linked to -WhichIamLinkedToProject=which I'm linked to project +ProgressDeclared=Deklarált valódi haladás +TaskProgressSummary=A feladat előrehaladása +CurentlyOpenedTasks=Gondosan nyitott feladatok +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=A bejelentett valós haladás inkább %s, mint a fogyasztás terén elért haladás +ProgressCalculated=Haladás a fogyasztás terén +WhichIamLinkedTo=amihez kapcsolódom +WhichIamLinkedToProject=amelyet a projekthez kötök Time=Idő -ListOfTasks=List of tasks -GoToListOfTimeConsumed=Go to list of time consumed -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 -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday +TimeConsumed=Consumed +ListOfTasks=Feladatok listája +GoToListOfTimeConsumed=Ugrás az elfogyasztott idő listájára +GanttView=Gantt nézet +ListProposalsAssociatedProject=A projekttel kapcsolatos kereskedelmi javaslatok felsorolása +ListOrdersAssociatedProject=A projekthez kapcsolódó értékesítési rendelések listája +ListInvoicesAssociatedProject=A projekttel kapcsolatos ügyfélszámlák listája +ListPredefinedInvoicesAssociatedProject=A projekthez kapcsolódó ügyfélsablonok listája +ListSupplierOrdersAssociatedProject=A projekthez kapcsolódó beszerzési rendelések listája +ListSupplierInvoicesAssociatedProject=A projekthez kapcsolódó szállítói számlák listája +ListContractAssociatedProject=A projekttel kapcsolatos szerződések listája +ListShippingAssociatedProject=A projekthez kapcsolódó szállítások listája +ListFichinterAssociatedProject=A projekttel kapcsolatos beavatkozások listája +ListExpenseReportsAssociatedProject=A projekthez kapcsolódó költségjelentések listája +ListDonationsAssociatedProject=A projekthez kapcsolódó adományok listája +ListVariousPaymentsAssociatedProject=A projekthez kapcsolódó különféle kifizetések listája +ListSalariesAssociatedProject=A projekthez kapcsolódó fizetések fizetési listája +ListActionsAssociatedProject=A projekttel kapcsolatos események listája +ListMOAssociatedProject=A projekthez kapcsolódó gyártási megrendelések listája +ListTaskTimeUserProject=A projekt feladataihoz felhasznált idő listája +ListTaskTimeForTask=A feladathoz felhasznált idő listája +ActivityOnProjectToday=A projekt tevékenysége ma +ActivityOnProjectYesterday=Tegnapi projekt tevékenység ActivityOnProjectThisWeek=Heti projekt aktivitás ActivityOnProjectThisMonth=Havi projekt aktivitás ActivityOnProjectThisYear=Évi projekt aktivitás ChildOfProjectTask=Projekt/Feladat gyermeke -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=A feladat gyermeke +TaskHasChild=Feladatnak gyermeke van NotOwnerOfProject=Nem tulajdonosa ennek a privát projektnek AffectedTo=Érinti -CantRemoveProject=This project can't be removed as it is referenced by some other objects (invoice, orders or other). See tab '%s'. +CantRemoveProject=Ez a projekt nem távolítható el, mivel más objektumok (számla, megrendelések vagy egyéb) hivatkoznak rá. Lásd az '%s' lapot. ValidateProject=Projekt hitelesítése -ConfirmValidateProject=Are you sure you want to validate this project? +ConfirmValidateProject=Biztosan érvényesíteni szeretné ezt a projektet? CloseAProject=Projekt lezárása -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=Biztosan bezárja ezt a projektet? +AlsoCloseAProject=Szintén zárja be a projektet (tartsa nyitva, ha továbbra is követnie kell a gyártási feladatokat rajta) ReOpenAProject=Projekt nyitása -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=Biztosan újra megnyitja ezt a projektet? ProjectContact=A projekt kapcsolatai -TaskContact=Task contacts +TaskContact=Feladat kapcsolattartói ActionsOnProject=Projekteh tartozó cselekvések YouAreNotContactOfProject=Nem kapcsolata ennek a privát projektnek -UserIsNotContactOfProject=User is not a contact of this private project +UserIsNotContactOfProject=A felhasználó nem a privát projekt kapcsolattartója DeleteATimeSpent=Eltöltött idő törlése -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task +ConfirmDeleteATimeSpent=Biztosan törli ezt az eltöltött időt? +DoNotShowMyTasksOnly=Lásd még a hozzám nem rendelt feladatokat +ShowMyTasksOnly=Csak a hozzám rendelt feladatokat tekintheti meg +TaskRessourceLinks=A feladat kapcsolatai ProjectsDedicatedToThisThirdParty=Harmadik félhnek dedikált projektek NoTasks=Nincs a projekthez tartozó feladat LinkedToAnotherCompany=Harmadik félhez kapcsolva -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=A feladat nincs hozzárendelve a felhasználóhoz. A feladat hozzárendeléséhez használja az ' %s ' gombot. ErrorTimeSpentIsEmpty=Töltött idő üres ThisWillAlsoRemoveTasks=Ez a művelet is törli az összes feladatot a projekt (%s feladatokat a pillanatban), és az összes bemenet eltöltött idő. IfNeedToUseOtherObjectKeepEmpty=Ha egyes tárgyakat (számla, megrendelés, ...), amelyek egy másik harmadik félnek kell kapcsolódniuk a projekt létrehozásához, tartsa ezt az üres, hogy a projekt, hogy több harmadik fél. -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks -ProjectCreatedInDolibarr=Project %s created -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityWeightedAmount=Opportunity weighted amount -OpportunityWeightedAmountShort=Opp. weighted amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +CloneTasks=Klónfeladatok +CloneContacts=Klónozza a névjegyeket +CloneNotes=Klón jegyzetek +CloneProjectFiles=Klón projekt csatlakozott fájlokhoz +CloneTaskFiles=Feladat (ok) egyesített fájljainak klónozása (ha feladat (ok) klónozása) +CloneMoveDate=Frissíti a projekteket / feladatokat mostantól? +ConfirmCloneProject=Biztosan klónozza ezt a projektet? +ProjectReportDate=Módosítsa a feladat dátumát az új projekt kezdési dátumának megfelelően +ErrorShiftTaskDate=Lehetetlen áthelyezni a feladat dátumát az új projekt kezdési dátumának megfelelően +ProjectsAndTasksLines=Projektek és feladatok +ProjectCreatedInDolibarr=%s projekt létrehozva +ProjectValidatedInDolibarr=Az %s projekt érvényesítve +ProjectModifiedInDolibarr=Az %s projekt módosítva +TaskCreatedInDolibarr=Az %s feladat létrehozva +TaskModifiedInDolibarr=Az %s feladat módosítva +TaskDeletedInDolibarr=Az %s feladat törölve +OpportunityStatus=Ólom státusz +OpportunityStatusShort=Ólom státusz +OpportunityProbability=Ólom valószínűsége +OpportunityProbabilityShort=Ólom probab. +OpportunityAmount=Ólom mennyisége +OpportunityAmountShort=Ólom mennyisége +OpportunityWeightedAmount=Lehetőséggel súlyozott összeg +OpportunityWeightedAmountShort=Opp. súlyozott összeg +OpportunityAmountAverageShort=Átlagos ólommennyiség +OpportunityAmountWeigthedShort=Súlyozott ólommennyiség +WonLostExcluded=Nyert / elveszett kizárva ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Projekt vezető TypeContact_project_external_PROJECTLEADER=Projekt vezető TypeContact_project_internal_PROJECTCONTRIBUTOR=Hozzájáruló TypeContact_project_external_PROJECTCONTRIBUTOR=Hozzájáruló -TypeContact_project_task_internal_TASKEXECUTIVE=Kivitelező -TypeContact_project_task_external_TASKEXECUTIVE=Task Kivitelező +TypeContact_project_task_internal_TASKEXECUTIVE=Feladatvezető +TypeContact_project_task_external_TASKEXECUTIVE=Feladatvezető TypeContact_project_task_internal_TASKCONTRIBUTOR=Hozzájáruló TypeContact_project_task_external_TASKCONTRIBUTOR=Hozzájáruló -SelectElement=Select element -AddElement=Link to element +SelectElement=Válasszon elemet +AddElement=Link elemhez LinkToElementShort=Hivatkozás erre: # Documents models -DocumentModelBeluga=Project document template for linked objects overview -DocumentModelBaleine=Project document template for tasks -DocumentModelTimeSpent=Project report template for time spent -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload +DocumentModelBeluga=Projektdokumentum-sablon a kapcsolt objektumok áttekintéséhez +DocumentModelBaleine=Projektdokumentum sablon feladatokhoz +DocumentModelTimeSpent=Projekt jelentés sablon a töltött időre +PlannedWorkload=Tervezett terhelés +PlannedWorkloadShort=Munkaterhelés ProjectReferers=Kapcsolódó elemek -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource as contact of project to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputPerMonth=Input per month -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to me -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=Use projects to follow leads/opportinuties -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability -OppStatusPROSP=Prospection -OppStatusQUAL=Qualification +ProjectMustBeValidatedFirst=A projektet először érvényesíteni kell +FirstAddRessourceToAllocateTime=Rendeljen felhasználói erőforrást a projekt kapcsolattartójává az időosztáshoz +InputPerDay=Bevitel naponta +InputPerWeek=Heti bevitel +InputPerMonth=Havi bevitel +InputDetail=Bemenet részletei +TimeAlreadyRecorded=Ez az a nap, amelyet erre a feladatra már naponta rögzítettünk, és az %s felhasználó +ProjectsWithThisUserAsContact=Vetíti ezt a felhasználót kapcsolattartóként +TasksWithThisUserAsContact=A felhasználóhoz rendelt feladatok +ResourceNotAssignedToProject=Nincs hozzárendelve a projekthez +ResourceNotAssignedToTheTask=Nincs hozzárendelve a feladathoz +NoUserAssignedToTheProject=Nincs felhasználó hozzárendelve ehhez a projekthez +TimeSpentBy=Által töltött idő +TasksAssignedTo=Hozzárendelt feladatok +AssignTaskToMe=Rendeljen nekem feladatot +AssignTaskToUser=Hozzárendelje a feladatot az %s fájlhoz +SelectTaskToAssign=Válassza ki a hozzárendelni kívánt feladatot ... +AssignTask=Hozzárendelni +ProjectOverview=Áttekintés +ManageTasks=Használja a projekteket a feladatok követésére és / vagy az eltöltött idő jelentésére (munkaidő-táblázatok) +ManageOpportunitiesStatus=Használja a projekteket a vezetők / ügyfelek követésére +ProjectNbProjectByMonth=Létrehozott projektek száma hónaponként +ProjectNbTaskByMonth=A létrehozott feladatok száma hónaponként +ProjectOppAmountOfProjectsByMonth=A leadek száma havonta +ProjectWeightedOppAmountOfProjectsByMonth=Súlyozott leadmennyiség havonta +ProjectOpenedProjectByOppStatus=Nyitott projekt | vezető a vezető státus szerint +ProjectsStatistics=Projektek vagy leadek statisztikája +TasksStatistics=Statisztika a projektek vagy a vezetők feladatairól +TaskAssignedToEnterTime=Feladat kijelölve. Lehetővé kell tenni a feladat megadásának idejét. +IdTaskTime=Id feladat idő +YouCanCompleteRef=Ha a ref-et valamilyen utótaggal szeretné kiegészíteni, akkor ajánlott egy - karakter hozzáadása az elválasztáshoz, így az automatikus számozás továbbra is megfelelően fog működni a következő projekteknél. Például %s-MYSUFFIX +OpenedProjectsByThirdparties=Nyitott projektek harmadik felektől +OnlyOpportunitiesShort=Csak vezet +OpenedOpportunitiesShort=Nyílt vezetők +NotOpenedOpportunitiesShort=Nem nyílt vezető +NotAnOpportunityShort=Nem ólom +OpportunityTotalAmount=A leadek teljes száma +OpportunityPonderatedAmount=Súlyozott mennyiségű ólom +OpportunityPonderatedAmountDesc=A valószínűséggel súlyozott ólomösszeg +OppStatusPROSP=Felkutatás +OppStatusQUAL=Képesítés OppStatusPROPO=Javaslat -OppStatusNEGO=Negociation -OppStatusPENDING=Folyamatban -OppStatusWON=Won -OppStatusLOST=Lost -Budget=Budget -AllowToLinkFromOtherCompany=Allow to link project from other company

Supported values:
- Keep empty: Can link any project of the company (default)
- "all": Can link any projects, even projects of other companies
- A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
-LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. -ChooseANotYetAssignedTask=Choose a task not yet assigned to you +OppStatusNEGO=Tárgyalás +OppStatusPENDING=Függőben levő +OppStatusWON=Megnyert +OppStatusLOST=Elveszett +Budget=Költségvetés +AllowToLinkFromOtherCompany=Engedélyezheti a másik vállalat projektjeinek összekapcsolását harmadik felek vesszővel elválasztott azonosítói: összekapcsolhatják e harmadik fél összes projektjét (példa: 123,4795,53)
+LatestProjects=Legfrissebb %s projektek +LatestModifiedProjects=A legújabb %s módosított projektek +OtherFilteredTasks=Egyéb szűrt feladatok +NoAssignedTasks=Nem található hozzárendelt feladat (az aktuális felhasználóhoz rendeljen projektet / feladatokat a felső jelölőnégyzetből az idő megadásához) +ThirdPartyRequiredToGenerateInvoice=A számlázáshoz meg kell határozni egy harmadik felet a projekten. +ChooseANotYetAssignedTask=Válasszon ki egy olyan feladatot, amely még nincs hozzárendelve # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForInvoice=Töltött idő -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). 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 +AllowCommentOnTask=Felhasználói megjegyzések engedélyezése a feladatokhoz +AllowCommentOnProject=Felhasználói megjegyzések engedélyezése a projektekhez +DontHavePermissionForCloseProject=Nincs engedélye az %s projekt bezárására +DontHaveTheValidateStatus=Az %s projektnek nyitva kell lennie a lezáráshoz +RecordsClosed=%s projekt lezárult +SendProjectRef=Információs projekt %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=A „Fizetések” modulnak lehetővé kell tennie az alkalmazottak óradíjának meghatározását az eltöltött idő valorizálása érdekében +NewTaskRefSuggested=A feladat ref már használatban van, új feladat ref szükséges +TimeSpentInvoiced=Számlázással töltött idő +TimeSpentForInvoice=Eltöltött idő +OneLinePerUser=Felhasználónként egy sor +ServiceToUseOnLines=A vonalakon használható szolgáltatás +InvoiceGeneratedFromTimeSpent=Az %s számla a projektre fordított időből származik +ProjectBillTimeDescription=Ellenőrizze, hogy beírta-e a munkaidő-nyilvántartást a projekt feladataira, ÉS azt tervezi, hogy számlákat generál az időről, hogy kiszámlázza a projekt ügyfelét (ne ellenőrizze, hogy olyan számlát kíván-e létrehozni, amely nem a beírt munkaidő-nyilvántartások alapján készül). Megjegyzés: Számla előállításához lépjen a projekt „Idő eltelt” fülére, és válassza ki a beépítendő sorokat. +ProjectFollowOpportunity=Kövesse a lehetőséget +ProjectFollowTasks=Kövesse a feladatokat vagy az eltöltött időt +Usage=Használat +UsageOpportunity=Használat: Lehetőség +UsageTasks=Használat: Feladatok +UsageBillTimeShort=Használat: Számlaidő +InvoiceToUse=Használandó számlatervezet NewInvoice=Új számla -OneLinePerTask=One line per task -OneLinePerPeriod=One line per period -RefTaskParent=Ref. Parent Task -ProfitIsCalculatedWith=Profit is calculated using +OneLinePerTask=Feladatonként egy sor +OneLinePerPeriod=Periódusonként egy sor +RefTaskParent=Ref. Szülői feladat +ProfitIsCalculatedWith=A nyereség kiszámítása diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index a6f95dbd569..8bbae3ee123 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Pengaturan modul layanan ProductServiceSetup=Pengaturan modul Produk dan Layanan NumberOfProductShowInSelect=Jumlah maksimum produk yang ditampilkan dalam daftar pilihan kombo (0 = tanpa batas) ViewProductDescInFormAbility=Tampilkan deskripsi produk dalam bentuk (jika tidak ditampilkan dalam popup tooltip) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Aktifkan di produk / layanan File Terlampir tab pilihan untuk menggabungkan dokumen PDF produk ke proposal PDF azur jika produk / layanan ada di proposal -ViewProductDescInThirdpartyLanguageAbility=Tampilkan deskripsi produk dalam bahasa pihak ketiga +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Juga jika Anda memiliki sejumlah besar produk (> 100.000), Anda dapat meningkatkan kecepatan dengan menetapkan konstan PRODUCT_DONOTSEARCH_ANYWHERE ke 1 di Pengaturan-> Lainnya. Pencarian kemudian akan dibatasi untuk memulai string. UseSearchToSelectProduct=Tunggu hingga Anda menekan tombol sebelum memuat konten dari daftar kombo produk (Ini dapat meningkatkan kinerja jika Anda memiliki sejumlah besar produk, tetapi itu kurang nyaman) SetDefaultBarcodeTypeProducts=Jenis barcode default untuk digunakan untuk produk diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index f2881a04775..dc4e9b6e401 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Laporan biaya divalidasi (diperlukan persetujuan) Notify_EXPENSE_REPORT_APPROVE=Laporan biaya disetujui Notify_HOLIDAY_VALIDATE=Tinggalkan permintaan divalidasi (diperlukan persetujuan) Notify_HOLIDAY_APPROVE=Biarkan permintaan disetujui +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Lihat pengaturan modul %s NbOfAttachedFiles=Jumlah file / dokumen yang dilampirkan TotalSizeOfAttachedFiles=Ukuran total file / dokumen yang dilampirkan @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Laporan biaya %s telah divalidasi. EMailTextExpenseReportApproved=Laporan biaya %s telah disetujui. EMailTextHolidayValidated=Tinggalkan permintaan %s telah divalidasi. EMailTextHolidayApproved=Tinggalkan permintaan %s telah disetujui. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Kumpulan data impor DolibarrNotification=Pemberitahuan otomatis ResizeDesc=Masukkan lebar baruORtinggi baru. Rasio akan disimpan selama mengubah ukuran ... diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index 096014935eb..aa10df00723 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=Beberapa segmen harga per produk / layanan (setiap pelanggan berada dalam satu segmen harga) MultiPricesNumPrices=Jumlah harga DefaultPriceType=Basis harga per default (dengan versus tanpa pajak) saat menambahkan harga jual baru -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index 51c8fa22f38..b10e1fcca51 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -76,15 +76,16 @@ MyActivities=Tugas / kegiatan saya MyProjects=Proyek saya MyProjectsArea=Proyek saya Area DurationEffective=Durasi efektif -ProgressDeclared=Menyatakan kemajuan +ProgressDeclared=Declared real progress TaskProgressSummary=Kemajuan tugas CurentlyOpenedTasks=Buka tugas saat ini -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Kemajuan yang dideklarasikan kurang dari %s dari progresi yang dihitung -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Kemajuan yang dideklarasikan adalah lebih %s dari progresi yang dihitung -ProgressCalculated=Kemajuan yang dihitung +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=yang terhubung dengan saya WhichIamLinkedToProject=yang saya tautkan ke proyek Time=Waktu +TimeConsumed=Consumed ListOfTasks=Daftar tugas GoToListOfTimeConsumed=Buka daftar waktu yang digunakan GanttView=Lihat Gantt diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index 9696eab0725..6d5fe35ab3d 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Þjónusta mát skipulag ProductServiceSetup=Vörur og Þjónusta einingar skipulag NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode tegund til nota fyrir vörur diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index f14519c518e..fb1ea9d9c80 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Fjöldi meðfylgjandi skrá / gögn TotalSizeOfAttachedFiles=Heildarstærð meðfylgjandi skrá / gögn @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Innflutningur gögnum DolibarrNotification=Sjálfvirk tilkynning ResizeDesc=Sláðu inn nýja breidd EÐA nýja hæð. Hlutfall verður haldið á resizing ... diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang index 2997e613496..a43c32766fd 100644 --- a/htdocs/langs/is_IS/products.lang +++ b/htdocs/langs/is_IS/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index f48818ff1f4..8e693b106e7 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -76,15 +76,16 @@ MyActivities=verkefni mín / starfsemi MyProjects=Verkefnin mín MyProjectsArea=My projects Area DurationEffective=Árangursrík Lengd -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Tími +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/it_CH/boxes.lang b/htdocs/langs/it_CH/boxes.lang new file mode 100644 index 00000000000..b958a84ee33 --- /dev/null +++ b/htdocs/langs/it_CH/boxes.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - boxes +BoxLastManualEntries=Last manual entries in accountancy +BoxTitleLastManualEntries=%s latest manual entries diff --git a/htdocs/langs/it_CH/products.lang b/htdocs/langs/it_CH/products.lang new file mode 100644 index 00000000000..2a38b9b0181 --- /dev/null +++ b/htdocs/langs/it_CH/products.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - products +AssociatedProductsAbility=Enable Kits (set of several products) diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index cf90d4b649d..e3d95b94db2 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Impostazioni modulo servizi ProductServiceSetup=Impostazioni moduli prodotti e servizi NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Tipo di codici a barre predefinito da utilizzare per i prodotti diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index 930f6948a9e..fb10fd9b8d9 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -379,7 +379,7 @@ InvoiceAutoValidate=Convalida le fatture automaticamente GeneratedFromRecurringInvoice=Fattura ricorrente %s generata dal modello DateIsNotEnough=Data non ancora raggiunta InvoiceGeneratedFromTemplate=Fattura %s generata da modello ricorrente %s -GeneratedFromTemplate=Generated from template invoice %s +GeneratedFromTemplate=Generata dal modello di fattura %s WarningInvoiceDateInFuture=Attenzione, la data della fattura è successiva alla data odierna WarningInvoiceDateTooFarInFuture=Attenzione, la data della fattura è troppo lontana dalla data odierna ViewAvailableGlobalDiscounts=Mostra gli sconti disponibili @@ -531,6 +531,7 @@ TypeContact_invoice_supplier_external_SERVICE=Vendor service contact InvoiceFirstSituationAsk=Prima fattura di avanzamento lavori InvoiceFirstSituationDesc=La fatturazione ad avanzamento lavori è collegata a una progressione e a un avanzamento dello stato del lavoro, ad esempio la progressione di una costruzione. Ogni avanzamento lavori è legato a una fattura. InvoiceSituation=Fattura ad avanzamento lavori +PDFInvoiceSituation=Fattura di avanzamento lavori InvoiceSituationAsk=Fattura a seguito di avanzamento lavori InvoiceSituationDesc=Crea un nuovo avanzamento lavori a seguito di uno già esistente SituationAmount=Importo della fattura di avanzamento lavori (al netto delle imposte) @@ -575,3 +576,7 @@ BILL_SUPPLIER_DELETEInDolibarr=Fattura fornitore eliminata UnitPriceXQtyLessDiscount=Prezzo unitario x Qtà - Sconto CustomersInvoicesArea=Area fatturazione clienti SupplierInvoicesArea=Area di fatturazione del fornitore +FacParentLine=Genitore riga fattura +SituationTotalRayToRest=Resto da pagare senza tasse +PDFSituationTitle=Situazione n ° %d +SituationTotalProgress=Avanzamento totale %d %% diff --git a/htdocs/langs/it_IT/blockedlog.lang b/htdocs/langs/it_IT/blockedlog.lang index 558233cd0dc..98846601074 100644 --- a/htdocs/langs/it_IT/blockedlog.lang +++ b/htdocs/langs/it_IT/blockedlog.lang @@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion logMEMBER_SUBSCRIPTION_CREATE=Member subscription created logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion -logCASHCONTROL_VALIDATE=Cash desk closing recording +logCASHCONTROL_VALIDATE=Registrazione chiusura cassa BlockedLogBillDownload=Customer invoice download BlockedLogBillPreview=Customer invoice preview BlockedlogInfoDialog=Log Details diff --git a/htdocs/langs/it_IT/boxes.lang b/htdocs/langs/it_IT/boxes.lang index d8f902aa65b..ad52410cca5 100644 --- a/htdocs/langs/it_IT/boxes.lang +++ b/htdocs/langs/it_IT/boxes.lang @@ -46,12 +46,12 @@ BoxTitleLastModifiedDonations=Ultime %s donazioni modificate BoxTitleLastModifiedExpenses=Ultime %s note spese modificate BoxTitleLatestModifiedBoms=Ultime %s distinte componenti modificate BoxTitleLatestModifiedMos=Ultimi %s ordini di produzione modificati -BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded +BoxTitleLastOutstandingBillReached=Clienti con il massimo in sospeso superato BoxGlobalActivity=Attività generale (fatture, proposte, ordini) BoxGoodCustomers=Buoni clienti BoxTitleGoodCustomers=%s Buoni clienti BoxScheduledJobs=Processi pianificati -BoxTitleFunnelOfProspection=Lead funnel +BoxTitleFunnelOfProspection=Imbuto di piombo FailedToRefreshDataInfoNotUpToDate=Aggiornamento del flusso RSS fallito. Data dell'ultimo aggiornamento valido: %s LastRefreshDate=Data dell'ultimo aggiornamento NoRecordedBookmarks=Nessun segnalibro presente @@ -87,7 +87,7 @@ BoxTitleLastModifiedCustomerBills=Fatture attive: ultime %s modificate BoxTitleLastModifiedCustomerOrders=Ordini: ultimi %s modificati BoxTitleLastModifiedPropals=Ultime %s proposte modificate BoxTitleLatestModifiedJobPositions=Ultimi %s jobs modificati -BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures +BoxTitleLatestModifiedCandidatures=Ultime candidature modificate %s ForCustomersInvoices=Fatture attive ForCustomersOrders=Ordini cliente ForProposals=Proposte @@ -105,7 +105,7 @@ SuspenseAccountNotDefined=L'account Suspense non è definito BoxLastCustomerShipments=Ultime spedizioni cliente BoxTitleLastCustomerShipments=Ultime %s spedizioni cliente NoRecordedShipments=Nessuna spedizione cliente registrata -BoxCustomersOutstandingBillReached=Customers with oustanding limit reached +BoxCustomersOutstandingBillReached=Clienti con limite eccezionale raggiunto # Pages AccountancyHome=Contabilità -ValidatedProjects=Validated projects +ValidatedProjects=Progetti convalidati diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang index 58cefe1d95c..8de361ac0e1 100644 --- a/htdocs/langs/it_IT/categories.lang +++ b/htdocs/langs/it_IT/categories.lang @@ -19,7 +19,7 @@ ProjectsCategoriesArea=Area tag/categorie progetti UsersCategoriesArea=Users tags/categories area SubCats=Sub-categorie CatList=Lista delle tag/categorie -CatListAll=List of tags/categories (all types) +CatListAll=Elenco di tag / categorie (tutti i tipi) NewCategory=Nuova tag/categoria ModifCat=Modifica tag/categoria CatCreated=Tag/categoria creata @@ -66,34 +66,34 @@ UsersCategoriesShort=Users tags/categories StockCategoriesShort=Tag / categorie di magazzino ThisCategoryHasNoItems=Questa categoria non contiene alcun elemento. CategId=ID Tag/categoria -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Tag / categoria principale +ParentCategoryLabel=Etichetta del tag / categoria principale +CatSupList=Elenco di tag / categorie di fornitori +CatCusList=Elenco di tag / categorie di clienti / potenziali clienti CatProdList=Elenco delle tag/categorie prodotti CatMemberList=Lista delle tag/categorie membri -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Elenco di tag / categorie di contatti +CatProjectsList=Elenco di tag / categorie di progetti +CatUsersList=Elenco di tag / categorie di utenti +CatSupLinks=Collegamenti tra fornitori e tag / categorie CatCusLinks=Collegamenti tra clienti e tag/categorie CatContactsLinks=Collegamento fra: contatti/indirizzi e tags/categorie CatProdLinks=Collegamenti tra prodotti/servizi e tag/categorie CatMembersLinks=Collegamenti tra membri e tag/categorie CatProjectsLinks=Collegamenti tra progetti e tag/categorie -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Collegamenti tra utenti e tag / categorie DeleteFromCat=Elimina dalla tag/categoria ExtraFieldsCategories=Campi extra CategoriesSetup=Impostazioni Tag/categorie CategorieRecursiv=Collega automaticamente alla tag/categoria padre CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. AddProductServiceIntoCategory=Aggiungi il seguente prodotto/servizio -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier +AddCustomerIntoCategory=Assegna la categoria al cliente +AddSupplierIntoCategory=Assegna la categoria al fornitore ShowCategory=Mostra tag/categoria ByDefaultInList=Default nella lista ChooseCategory=Choose category StocksCategoriesArea=Categorie magazzini ActionCommCategoriesArea=Categorie eventi -WebsitePagesCategoriesArea=Page-Container Categories +WebsitePagesCategoriesArea=Pagina-Contenitore delle Categorie UseOrOperatorForCategories=Uso o operatore per le categorie diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index 727159eed93..a5ca94be7b1 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -144,7 +144,7 @@ ProfId3BR=IM (Inscricao Municipal) ProfId4BR=CPF #ProfId5BR=CNAE #ProfId6BR=INSS -ProfId1CH=UID-Nummer +ProfId1CH=Numero UID ProfId2CH=- ProfId3CH=numero federale ProfId4CH=numero registrazione commerciale @@ -358,8 +358,8 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi VATIntraManualCheck=È anche possibile controllare manualmente sul sito della Commissione Europea %s ErrorVATCheckMS_UNAVAILABLE=Non è possibile effettuare il controllo. Servizio non previsto per lo stato membro ( %s). NorProspectNorCustomer=Né cliente, né cliente potenziale -JuridicalStatus=Business entity type -Workforce=Workforce +JuridicalStatus=Tipo di entità aziendale +Workforce=Forza lavoro Staff=Dipendenti ProspectLevelShort=Cl. Pot. ProspectLevel=Liv. cliente potenziale @@ -462,8 +462,8 @@ PaymentTermsSupplier=Termine di pagamento - Fornitore PaymentTypeBoth=Tipo di pagamento - Cliente e fornitore MulticurrencyUsed=Use Multicurrency MulticurrencyCurrency=Valuta -InEEC=Europe (EEC) -RestOfEurope=Rest of Europe (EEC) -OutOfEurope=Out of Europe (EEC) -CurrentOutstandingBillLate=Current outstanding bill late -BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +InEEC=Europa (CEE) +RestOfEurope=Resto d'Europa (CEE) +OutOfEurope=Fuori dall'Europa (CEE) +CurrentOutstandingBillLate=Fatture scadute in ritardo +BecarefullChangeThirdpartyBeforeAddProductToInvoice=Fai attenzione, a seconda delle impostazioni del prezzo del prodotto, dovresti cambiare terze parti prima di aggiungere il prodotto al POS. diff --git a/htdocs/langs/it_IT/deliveries.lang b/htdocs/langs/it_IT/deliveries.lang index bc6a34e0149..a24bb962dac 100644 --- a/htdocs/langs/it_IT/deliveries.lang +++ b/htdocs/langs/it_IT/deliveries.lang @@ -27,5 +27,6 @@ Recipient=Destinatario ErrorStockIsNotEnough=Non ci sono sufficienti scorte Shippable=Disponibile per spedizione NonShippable=Non disponibile per spedizione +ShowShippableStatus=Mostra lo stato di spedizione ShowReceiving=Mostra ricevuta di consegna NonExistentOrder=Ordine inesistente diff --git a/htdocs/langs/it_IT/ecm.lang b/htdocs/langs/it_IT/ecm.lang index f14a0514d5c..0eef308f02a 100644 --- a/htdocs/langs/it_IT/ecm.lang +++ b/htdocs/langs/it_IT/ecm.lang @@ -23,7 +23,7 @@ ECMSearchByKeywords=Ricerca per parole chiave ECMSearchByEntity=Ricerca per oggetto ECMSectionOfDocuments=Directory dei documenti ECMTypeAuto=Automatico -ECMDocsBy=Documents linked to %s +ECMDocsBy=Documenti collegati a %s ECMNoDirectoryYet=Nessuna directory creata ShowECMSection=Visualizza la directory DeleteSection=Eliminare la directory @@ -38,6 +38,6 @@ ReSyncListOfDir=Aggiorna la lista delle cartelle HashOfFileContent=Hash contenuto file NoDirectoriesFound=Nessuna cartella trovata FileNotYetIndexedInDatabase=File non indicizzato nel database (prova a caricarlo di nuovo) -ExtraFieldsEcmFiles=Extrafields Ecm Files -ExtraFieldsEcmDirectories=Extrafields Ecm Directories -ECMSetup=ECM Setup +ExtraFieldsEcmFiles=File Ecm campi extra +ExtraFieldsEcmDirectories=Directory Ecm campi extra +ECMSetup=Configurazione ECM diff --git a/htdocs/langs/it_IT/exports.lang b/htdocs/langs/it_IT/exports.lang index 49d5c844d39..5b616c68eaf 100644 --- a/htdocs/langs/it_IT/exports.lang +++ b/htdocs/langs/it_IT/exports.lang @@ -133,4 +133,4 @@ KeysToUseForUpdates=Chiave da utilizzare per l'aggiornamento dei dati NbInsert=Numero di righe inserite: %s NbUpdate=Numero di righe aggiornate: %s MultipleRecordFoundWithTheseFilters=Righe multiple sono state trovate con questi filtri: %s -StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number +StocksWithBatch=Scorte e ubicazione (magazzino) dei prodotti con numero di lotto / seriale diff --git a/htdocs/langs/it_IT/interventions.lang b/htdocs/langs/it_IT/interventions.lang index 449510235a8..ef76939f5ec 100644 --- a/htdocs/langs/it_IT/interventions.lang +++ b/htdocs/langs/it_IT/interventions.lang @@ -64,3 +64,5 @@ InterLineDuration=Line duration intervention InterLineDesc=Line description intervention RepeatableIntervention=Modello di intervento ToCreateAPredefinedIntervention=Per creare un intervento predefinito o ricorrente, creare un intervento comune e convertirlo in modello di intervento +Reopen=Riapri +ConfirmReopenIntervention=Sei sicuro di voler riaprire l'intervento %s ? diff --git a/htdocs/langs/it_IT/languages.lang b/htdocs/langs/it_IT/languages.lang index 5e5be267cc1..b950698f946 100644 --- a/htdocs/langs/it_IT/languages.lang +++ b/htdocs/langs/it_IT/languages.lang @@ -40,7 +40,7 @@ Language_es_PA=Spagnolo (Panama) Language_es_PY=Spagnolo (Paraguay) Language_es_PE=Spagnolo (Perù) Language_es_PR=Spagnolo (Portorico) -Language_es_US=Spanish (USA) +Language_es_US=Spagnolo (USA) Language_es_UY=Spagnolo (Uruguay) Language_es_GT=Spagnolo (Guatemala) Language_es_VE=Spagnolo (Venezuela) @@ -56,7 +56,7 @@ Language_fr_CM=Francese (Camerun) Language_fr_FR=Francese Language_fr_GA=Francese (Gabon) Language_fr_NC=Francese (Nuova Caledonia) -Language_fr_SN=French (Senegal) +Language_fr_SN=Francese (Senegal) Language_fy_NL=Frisone Language_gl_ES=Galiziano Language_he_IL=Ebraico diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang index 2b12f923619..9ffeeb64178 100644 --- a/htdocs/langs/it_IT/mails.lang +++ b/htdocs/langs/it_IT/mails.lang @@ -92,7 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails MailingModuleDescThirdPartiesByCategories=Soggetti terzi (per categoria) SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +EmailCollectorFilterDesc=Tutti i filtri devono corrispondere affinché venga raccolta un'e-mail # Libelle des modules de liste de destinataires mailing LineInFile=Riga %s nel file @@ -126,12 +126,12 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=Nessuna email inviata. Mittente o destinatario errati. Verifica il profilo utente. # Module Notifications Notifications=Notifiche -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company +NotificationsAuto=Notifiche Auto. +NoNotificationsWillBeSent=Non sono previste notifiche e-mail automatiche per questo tipo di evento e azienda ANotificationsWillBeSent=Verrà inviata una notifica tramite email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification +SomeNotificationsWillBeSent=le %s notifiche automatiche verranno inviate tramite e-mail +AddNewNotification=Iscriviti a una nuova notifica e-mail automatica (target / evento) +ListOfActiveNotifications=Elenca tutti gli abbonamenti attivi (obiettivi / eventi) per la notifica e-mail automatica ListOfNotificationsDone=Elenco delle notifiche email automatiche inviate MailSendSetupIs=La configurazione della posta elettronica di invio è stata impostata alla modalità '%s'. Questa modalità non può essere utilizzata per inviare mail di massa. MailSendSetupIs2=Con un account da amministratore è necessario cliccare su %sHome -> Setup -> EMails%s e modificare il parametro '%s' per usare la modalità '%s'. Con questa modalità è possibile inserire i dati del server SMTP di elezione e usare Il "Mass Emailing" @@ -142,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other MailAdvTargetRecipients=Destinatari (selezione avanzata) AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima +AdvTgtSearchTextHelp=Utilizza %% come caratteri jolly. Ad esempio, per trovare tutti gli articoli come jean, joe, jim , puoi inserire j%% , puoi anche usare; come separatore di valore e usa ! ad eccezione di questo valore. Ad esempio jean; joe; jim%%;! Jimo;! Jima%% sceglierà come target tutti i jeans, joe, inizia con jim ma non jimo e non tutto ciò che inizia con jima AdvTgtSearchIntHelp=Use interval to select int or float value AdvTgtMinVal=Valore minimo AdvTgtMaxVal=Valore massimo @@ -167,11 +167,11 @@ NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category OutGoingEmailSetup=Email in uscita InGoingEmailSetup=Email in entrata OutGoingEmailSetupForEmailing=Configurazione della posta elettronica in uscita (per il modulo %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup +DefaultOutgoingEmailSetup=Stessa configurazione della configurazione globale della posta in uscita Information=Informazioni ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered +Unanswered=Senza risposta Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s +IsNotAnAnswer=Non è risposta (email iniziale) +IsAnAnswer=È la risposta di una prima email +RecordCreatedByEmailCollector=Record creato da Email Collector %s dall'email %s diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang index 06e438b1978..12630bc2936 100644 --- a/htdocs/langs/it_IT/modulebuilder.lang +++ b/htdocs/langs/it_IT/modulebuilder.lang @@ -40,7 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record PageForAgendaTab=PHP page for event tab PageForDocumentTab=PHP page for document tab PageForNoteTab=PHP page for note tab -PageForContactTab=PHP page for contact tab +PageForContactTab=Pagina PHP per la scheda dei contatti PathToModulePackage=Path to zip of module/application package PathToModuleDocumentation=Path to file of module/application documentation (%s) SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. @@ -78,7 +78,7 @@ IsAMeasure=Is a measure DirScanned=Directory scanned NoTrigger=No trigger NoWidget=No widget -GoToApiExplorer=API explorer +GoToApiExplorer=Esplora API ListOfMenusEntries=List of menu entries ListOfDictionariesEntries=Elenco voci dizionari ListOfPermissionsDefined=List of defined permissions @@ -106,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n SeeTopRightMenu=See on the top right menu AddLanguageFile=Add language file YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Destroy table if empty) +DropTableIfEmpty=(Distruggi la tabella se vuota) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table @@ -140,4 +140,4 @@ TypeOfFieldsHelp=Tipo di campi:
varchar(99), double(24,8), real, text, html AsciiToHtmlConverter=Convertitore da Ascii a HTML AsciiToPdfConverter=Convertitore da Ascii a PDF TableNotEmptyDropCanceled=Tabella non vuota. Il rilascio è stato annullato. -ModuleBuilderNotAllowed=The module builder is available but not allowed to your user. +ModuleBuilderNotAllowed=Il generatore di moduli è disponibile ma non è consentito all'utente. diff --git a/htdocs/langs/it_IT/mrp.lang b/htdocs/langs/it_IT/mrp.lang index e5048e22764..02826554a2c 100644 --- a/htdocs/langs/it_IT/mrp.lang +++ b/htdocs/langs/it_IT/mrp.lang @@ -1,5 +1,5 @@ Mrp=Ordini di produzione -MOs=Manufacturing orders +MOs=Ordini di produzione ManufacturingOrder=Ordine di produzione MRPDescription=Modulo per la gestione degli ordini di produzione (MO). MRPArea=MRP Area @@ -76,5 +76,5 @@ ProductsToProduce=Prodotti da produrre UnitCost=Costo unitario TotalCost=Costo totale BOMTotalCost=Il costo per produrre questa distinta base in base al costo di ciascuna quantità e prodotto da consumare (utilizzare il prezzo di costo se definito, altrimenti il prezzo medio ponderato se definito, altrimenti il miglior prezzo di acquisto) -GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it. -ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO +GoOnTabProductionToProduceFirst=È necessario prima aver avviato la produzione per chiudere un ordine di produzione (vedere la scheda "%s"). Ma puoi annullarlo. +ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit non può essere utilizzato in una distinta materiali o in un ordine di produzione diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index 128070ab084..31a5514c3b0 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Note spese convalidate (è richiesta l'approvazio Notify_EXPENSE_REPORT_APPROVE=Nota spesa approvata Notify_HOLIDAY_VALIDATE=Richiesta ferie/permesso convalidata (approvazione richiesta) Notify_HOLIDAY_APPROVE=Richiesta ferie/permesso approvata +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Vedi la configurazione del modulo %s NbOfAttachedFiles=Numero di file/documenti allegati TotalSizeOfAttachedFiles=Dimensione totale dei file/documenti allegati @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Expense report %s has been validated. EMailTextExpenseReportApproved=Expense report %s has been approved. EMailTextHolidayValidated=La richiesta di ferie/permesso %s è stata convalidata. EMailTextHolidayApproved=Leave request %s has been approved. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Set dati importazione DolibarrNotification=Notifica automatica ResizeDesc=Ridimesiona con larghezza o altezza nuove. Il ridimensionamento è proporzionale, il rapporto tra le due dimenzioni verrà mantenuto. diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index f809b8791dd..dfc71f3ed8f 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -104,25 +104,25 @@ SetDefaultBarcodeType=Imposta tipo di codice a barre BarcodeValue=Valore codice a barre NoteNotVisibleOnBill=Nota (non visibile su fatture, proposte ...) ServiceLimitedDuration=Se il prodotto è un servizio di durata limitata: -FillWithLastServiceDates=Fill with last service line dates +FillWithLastServiceDates=Inserisci le date dell'ultima riga di servizio MultiPricesAbility=Diversi livelli di prezzo per prodotto/servizio (ogni cliente fa parte di un livello) MultiPricesNumPrices=Numero di prezzi per il multi-prezzi DefaultPriceType=Base dei prezzi per impostazione predefinita (con contro senza tasse) quando si aggiungono nuovi prezzi di vendita -AssociatedProductsAbility=Enable Kits (set of other products) -VariantsAbility=Enable Variants (variations of products, for example color, size) +AssociatedProductsAbility=Abilita kit (set di diversi prodotti) +VariantsAbility=Abilita varianti (variazioni dei prodotti, ad esempio colore, taglia) AssociatedProducts=Kits -AssociatedProductsNumber=Number of products composing this kit +AssociatedProductsNumber=Numero di prodotti che compongono questo kit ParentProductsNumber=Numero di prodotti associati che includono questo sottoprodotto ParentProducts=Prodotti genitore -IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit +IfZeroItIsNotAVirtualProduct=Se 0, questo prodotto non è un kit +IfZeroItIsNotUsedByVirtualProduct=Se 0, questo prodotto non è utilizzato da nessun kit KeywordFilter=Filtro per parola chiave CategoryFilter=Filtro categoria ProductToAddSearch=Cerca prodotto da aggiungere NoMatchFound=Nessun risultato trovato ListOfProductsServices=Elenco prodotti/servizi -ProductAssociationList=List of products/services that are component(s) of this kit -ProductParentList=List of kits with this product as a component +ProductAssociationList=Elenco dei prodotti / servizi che sono componenti(e) di questo kit +ProductParentList=Elenco dei kit con questo prodotto come componente ErrorAssociationIsFatherOfThis=Uno dei prodotti selezionati è padre dell'attuale prodotto DeleteProduct=Elimina un prodotto/servizio ConfirmDeleteProduct=Vuoi davvero eliminare questo prodotto/servizio? @@ -168,10 +168,10 @@ BuyingPrices=Prezzi di acquisto CustomerPrices=Prezzi di vendita SuppliersPrices=Prezzi fornitore SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) -CustomCode=Customs|Commodity|HS code +CustomCode=codice Customs|Commodity|HS CountryOrigin=Paese di origine -RegionStateOrigin=Region origin -StateOrigin=State|Province origin +RegionStateOrigin=Origine della regione +StateOrigin=Stato | Provincia provenienza Nature=Natura del prodotto (materiale / finito) NatureOfProductShort=Natura del prodotto NatureOfProductDesc=Materia prima o prodotto finito @@ -242,7 +242,7 @@ AlwaysUseFixedPrice=Usa prezzo non negoziabile PriceByQuantity=Prezzi diversi in base alla quantità DisablePriceByQty=Disabilitare i prezzi per quantità PriceByQuantityRange=Intervallo della quantità -MultipriceRules=Automatic prices for segment +MultipriceRules=Prezzi automatici per segmento UseMultipriceRules=Utilizza le regole del segmento di prezzo (definite nell'impostazione del modulo del prodotto) per autocalcolare i prezzi di tutti gli altri segmenti in base al primo segmento PercentVariationOver=variazione %% su %s PercentDiscountOver=sconto %% su %s @@ -290,7 +290,7 @@ PriceExpressionEditorHelp5=Valori globali disponibili: PriceMode=Modalità di prezzo PriceNumeric=Numero DefaultPrice=Prezzo predefinito -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=Registro dei prezzi predefiniti precedenti ComposedProductIncDecStock=Aumenta e Diminuisci le scorte alla modifica del prodotto padre ComposedProduct=Sottoprodotto MinSupplierPrice=Prezzo d'acquisto minimo @@ -343,7 +343,7 @@ UseProductFournDesc=Add a feature to define the descriptions of products defined ProductSupplierDescription=Vendor description for the product UseProductSupplierPackaging=Utilizzare l'imballaggio sui prezzi del fornitore (ricalcolare le quantità in base all'imballaggio impostato sul prezzo del fornitore quando si aggiunge / aggiorna la riga nei documenti del fornitore) PackagingForThisProduct=Confezione -PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity +PackagingForThisProductDesc=Su ordine del fornitore, ordinerai automaticamente questa quantità (o un multiplo di questa quantità). Non può essere inferiore alla quantità di acquisto minima QtyRecalculatedWithPackaging=La quantità della linea è stata ricalcolata in base all'imballaggio del fornitore #Attributes @@ -367,9 +367,9 @@ SelectCombination=Selezione combinazione ProductCombinationGenerator=Generatore di varianti Features=Caratteristiche PriceImpact=Impatto sui prezzi -ImpactOnPriceLevel=Impact on price level %s -ApplyToAllPriceImpactLevel= Apply to all levels -ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels +ImpactOnPriceLevel=Impatto sul livello dei prezzi %s +ApplyToAllPriceImpactLevel= Applicare a tutti i livelli +ApplyToAllPriceImpactLevelHelp=Facendo clic qui si imposta lo stesso impatto sul prezzo su tutti i livelli WeightImpact=Impatto del peso NewProductAttribute=Nuovo attributo NewProductAttributeValue=Nuovo valore dell'attributo diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 9d68b1ca8f8..b30159947c7 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -76,15 +76,16 @@ MyActivities=I miei compiti / operatività MyProjects=I miei progetti MyProjectsArea=Area progetti DurationEffective=Durata effettiva -ProgressDeclared=Avanzamento dichiarato +ProgressDeclared=Avanzamento dichiarato reale TaskProgressSummary=Avanzamento compito CurentlyOpenedTasks=Compiti attualmente aperti -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression -ProgressCalculated=Avanzamento calcolato +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Tempo +TimeConsumed=Consumed ListOfTasks=Elenco dei compiti GoToListOfTimeConsumed=Vai all'elenco del tempo impiegato GanttView=Vista Gantt @@ -212,8 +213,8 @@ ProjectNbTaskByMonth=Numero di attività create per mese ProjectOppAmountOfProjectsByMonth=Quantità di Lead per mese ProjectWeightedOppAmountOfProjectsByMonth=Quantità ponderata di opportunità per mese ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectsStatistics=Statistiche su attività di progetto/clienti potenziali +TasksStatistics=Statistiche su attività di progetto/clienti potenziali TaskAssignedToEnterTime=Compito assegnato. Inserire i tempi per questo compito dovrebbe esserre possibile. IdTaskTime=Tempo compito id YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX diff --git a/htdocs/langs/it_IT/propal.lang b/htdocs/langs/it_IT/propal.lang index b5b78417e8d..7eb57f84fb0 100644 --- a/htdocs/langs/it_IT/propal.lang +++ b/htdocs/langs/it_IT/propal.lang @@ -47,7 +47,6 @@ SendPropalByMail=Invia preventivo via e-mail DatePropal=Data del preventivo DateEndPropal=Data di fine validità ValidityDuration=Durata validità -CloseAs=Imposta lo stato a SetAcceptedRefused=Imposta accettato/rifiutato ErrorPropalNotFound=Preventivo %s non trovato AddToDraftProposals=Aggiungi una bozza di preventivo @@ -85,3 +84,8 @@ ProposalCustomerSignature=Accettazione scritta, timbro, data e firma ProposalsStatisticsSuppliers=Statistiche preventivi fornitori CaseFollowedBy=Caso seguito da SignedOnly=Solo firmato +IdProposal=ID proposta +IdProduct=ID prodotto +PrParentLine=Riga genitore proposta +LineBuyPriceHT=Prezzo di acquisto Importo al netto delle tasse per riga + diff --git a/htdocs/langs/it_IT/receiptprinter.lang b/htdocs/langs/it_IT/receiptprinter.lang index a5fbeef5ad6..49621049ddf 100644 --- a/htdocs/langs/it_IT/receiptprinter.lang +++ b/htdocs/langs/it_IT/receiptprinter.lang @@ -54,7 +54,7 @@ DOL_DOUBLE_WIDTH=Doppia larghezza DOL_DEFAULT_HEIGHT_WIDTH=Altezza e larghezza predefinite DOL_UNDERLINE=Abilita sottolineatura DOL_UNDERLINE_DISABLED=Disabilita la sottolineatura -DOL_BEEP=Suono di Beed +DOL_BEEP=Suono di Beep DOL_PRINT_TEXT=Stampa il testo DateInvoiceWithTime=Data e ora della fattura YearInvoice=Anno della fattura diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang index 5f326c89cba..d902ac9d0f6 100644 --- a/htdocs/langs/it_IT/sendings.lang +++ b/htdocs/langs/it_IT/sendings.lang @@ -66,7 +66,7 @@ ValidateOrderFirstBeforeShipment=È necessario convalidare l'ordine prima di pot # Sending methods # ModelDocument DocumentModelTyphon=Modello più completo di documento per le ricevute di consegna (logo. ..) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=Modello di documento più completo per ricevute di consegna e compatibilità con campi extra (logo...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER costante non definita SumOfProductVolumes=Totale volume prodotti SumOfProductWeights=Totale peso prodotti diff --git a/htdocs/langs/it_IT/suppliers.lang b/htdocs/langs/it_IT/suppliers.lang index 5138e9303e0..e178c00850b 100644 --- a/htdocs/langs/it_IT/suppliers.lang +++ b/htdocs/langs/it_IT/suppliers.lang @@ -38,7 +38,7 @@ MenuOrdersSupplierToBill=Ordini d'acquisto da fatturare NbDaysToDelivery=Tempi di consegna (giorni) DescNbDaysToDelivery=Il tempo di consegna più lungo dei prodotti di questo ordine SupplierReputation=Reputazione fornitore -ReferenceReputation=Reference reputation +ReferenceReputation=Reputazione di riferimento DoNotOrderThisProductToThisSupplier=Non ordinare NotTheGoodQualitySupplier=Bassa qualità ReputationForThisProduct=Reputazione diff --git a/htdocs/langs/it_IT/ticket.lang b/htdocs/langs/it_IT/ticket.lang index 8125524088a..e40b57082bf 100644 --- a/htdocs/langs/it_IT/ticket.lang +++ b/htdocs/langs/it_IT/ticket.lang @@ -42,7 +42,7 @@ TicketTypeShortOTHER=Altro TicketSeverityShortLOW=Basso TicketSeverityShortNORMAL=Normale TicketSeverityShortHIGH=Alto -TicketSeverityShortBLOCKING=Critical, Blocking +TicketSeverityShortBLOCKING=Critico, bloccante ErrorBadEmailAddress=Campo '%s' non corretto MenuTicketMyAssign=My tickets @@ -123,7 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create TicketsAutoAssignTicket=Automatically assign the user who created the ticket TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. TicketNumberingModules=Tickets numbering module -TicketsModelModule=Document templates for tickets +TicketsModelModule=Modelli di documenti per i ticket TicketNotifyTiersAtCreation=Notify third party at creation TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface TicketsPublicNotificationNewMessage=Invia e-mail quando viene aggiunto un nuovo messaggio diff --git a/htdocs/langs/it_IT/users.lang b/htdocs/langs/it_IT/users.lang index f03887e2e65..199b2cb1d45 100644 --- a/htdocs/langs/it_IT/users.lang +++ b/htdocs/langs/it_IT/users.lang @@ -46,6 +46,8 @@ RemoveFromGroup=Rimuovi dal gruppo PasswordChangedAndSentTo=Password cambiata ed inviata a %s PasswordChangeRequest=Richiesta di modifica della password per %s PasswordChangeRequestSent=Richiesta di cambio password per %s da inviare a %s. +IfLoginExistPasswordRequestSent=Se questo accesso è un account valido, è stata inviata un'e-mail per reimpostare la password. +IfEmailExistPasswordRequestSent=Se questa e-mail è un account valido, è stata inviata un'e-mail per reimpostare la password. ConfirmPasswordReset=Conferma la reimpostazione della password MenuUsersAndGroups=Utenti e gruppi LastGroupsCreated=Ultimi %s gruppi creati @@ -69,10 +71,11 @@ InternalUser=Utente interno ExportDataset_user_1=Users and their properties DomainUser=Utente di dominio %s Reactivate=Riattiva -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. +CreateInternalUserDesc=Questo modulo permette di creare un utente interno per la vostra Azienda/Fondazione. Per creare un utente esterno (cliente, fornitore, ...), utilizzare il pulsante "Crea utente" nella scheda soggetti terzi. InternalExternalDesc=Un utente interno è un utente che fa parte della tua azienda / organizzazione.
Un utente esterno è un cliente, un fornitore o altro (La creazione di un utente esterno per una terza parte può essere effettuata dal record di contatto della terza parte).

In entrambi i casi, le autorizzazioni definiscono i diritti su Dolibarr, anche l'utente esterno può avere un gestore di menu diverso rispetto all'utente interno (Vedi Home - Setup - Display) PermissionInheritedFromAGroup=Autorizzazioni ereditate dall'appartenenza al gruppo. Inherited=Ereditato +UserWillBe=L'utente creato sarà UserWillBeInternalUser=L'utente sarà un utente interno (in quanto non collegato a un soggetto terzo) UserWillBeExternalUser=L'utente sarà un utente esterno (perché collegato ad un soggetto terzo) IdPhoneCaller=Id telefonico del chiamante @@ -93,8 +96,8 @@ LoginToCreate=Accedi per creare NameToCreate=Nome del soggetto terzo da creare YourRole=Il tuo ruolo YourQuotaOfUsersIsReached=Hai raggiunto la tua quota di utenti attivi! -NbOfUsers=No. of users -NbOfPermissions=No. of permissions +NbOfUsers=Numero di utenti +NbOfPermissions=Numero di autorizzazioni DontDowngradeSuperAdmin=Solo un superadmin può declassare un superadmin HierarchicalResponsible=Supervisore HierarchicView=Vista gerarchica @@ -109,12 +112,14 @@ UserAccountancyCode=Codice contabile utente UserLogoff=Logout utente UserLogged=Utente connesso DateOfEmployment=Data di assunzione -DateEmployment=Data di assunzione +DateEmployment=Dipendente +DateEmploymentstart=Data di assunzione DateEmploymentEnd=Data di fine rapporto lavorativo +RangeOfLoginValidity=Intervallo di date di validità dell'accesso CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Forza validatore rapporto spese ForceUserHolidayValidator=Convalida richiesta di congedo forzato ValidatorIsSupervisorByDefault=Per impostazione predefinita, il validatore è il supervisore dell'utente. Mantieni vuoto per mantenere questo comportamento. UserPersonalEmail=E-mail personale UserPersonalMobile=Cellulare personale -WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s +WarningNotLangOfInterface=Attenzione, questa è la lingua principale che l'utente parla, non la lingua dell'interfaccia che ha scelto di vedere. Per cambiare la lingua dell'interfaccia visibile da questo utente, vai sulla scheda %s diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index 7c580045fb2..64f05d19a0a 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -100,7 +100,7 @@ EmptyPage=Empty page ExternalURLMustStartWithHttp=External URL must start with http:// or https:// ZipOfWebsitePackageToImport=Upload the Zip file of the website template package ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Show dynamic content +ShowSubcontainers=Mostra contenuto dinamico InternalURLOfPage=Internal URL of page ThisPageIsTranslationOf=This page/container is a translation of ThisPageHasTranslationPages=This page/container has translation @@ -134,6 +134,6 @@ ReplacementDoneInXPages=Sostituzione eseguite in%spagine o contenitori RSSFeed=Feed RSS RSSFeedDesc=Puoi ottenere un feed RSS degli articoli più recenti con il tipo "blogpost" utilizzando questo URL PagesRegenerated=%s pagina(e)/contenitore(i) rigenerato -RegenerateWebsiteContent=Regenerate web site cache files -AllowedInFrames=Allowed in Frames -DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties. +RegenerateWebsiteContent=Rigenera i file della cache del sito web +AllowedInFrames=Consentito nel frame +DefineListOfAltLanguagesInWebsiteProperties=Definisce l'elenco di tutte le lingue disponibili nelle proprietà del sito web. diff --git a/htdocs/langs/it_IT/workflow.lang b/htdocs/langs/it_IT/workflow.lang index bafaa694180..e188cef6116 100644 --- a/htdocs/langs/it_IT/workflow.lang +++ b/htdocs/langs/it_IT/workflow.lang @@ -16,8 +16,8 @@ descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifica "da spedire" l'ordine cl # Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) -descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated +descWORKFLOW_BILL_ON_RECEPTION=Classificare le ricezioni in "fatturate" quando un ordine fornitore collegato viene convalidato # Autoclose intervention -descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed +descWORKFLOW_TICKET_CLOSE_INTERVENTION=Chiudi tutti gli interventi legati al ticket quando un ticket è chiuso AutomaticCreation=Creazione automatica AutomaticClassification=Classificazione automatica diff --git a/htdocs/langs/it_IT/zapier.lang b/htdocs/langs/it_IT/zapier.lang index 7b9ad04fa29..5ec7be329d2 100644 --- a/htdocs/langs/it_IT/zapier.lang +++ b/htdocs/langs/it_IT/zapier.lang @@ -26,4 +26,4 @@ ModuleZapierForDolibarrDesc = Zapier per modulo Dolibarr # Admin page # ZapierForDolibarrSetup = Installazione di Zapier per Dolibarr -ZapierDescription=Interface with Zapier +ZapierDescription=Interfaccia con Zapier diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index f08a623d4bd..155ffb64bf1 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -1,5 +1,5 @@ # Dolibarr language file - en_US - Accountancy (Double entries) -Accountancy=会計士 +Accountancy=会計 Accounting=Accounting ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file ACCOUNTING_EXPORT_DATE=Date format for export file @@ -18,7 +18,7 @@ DefaultForService=サービスのデフォルト DefaultForProduct=製品のデフォルト CantSuggest=提案できない AccountancySetupDoneFromAccountancyMenu=会計のほとんどの設定はメニュー%sから行われる -ConfigAccountingExpert=モジュールアカウンティングの構成(複式簿記) +ConfigAccountingExpert=モジュールアカウンティングの構成(複式簿記) Journalization=仕訳帳化 Journals=仕訳日記帳 JournalFinancial=財務仕訳帳 @@ -46,7 +46,7 @@ CountriesNotInEEC=EECにない国 CountriesInEECExceptMe=%sを除くEECの国 CountriesExceptMe=%sを除くすべての国 AccountantFiles=ソースドキュメントのエクスポート -ExportAccountingSourceDocHelp=このツールを使用すると、会計処理の生成に使用されたソースイベント(リストとPDF)をエクスポートできる。仕訳をエクスポートするには、メニューエントリ%s-%sを使用する。 +ExportAccountingSourceDocHelp=このツールを使用すると、会計処理の生成に使用されたソースイベント(リストとPDF)をエクスポートできる。仕訳をエクスポートするには、メニューエントリ%s-%sを使用する。 VueByAccountAccounting=会計科目順に表示 VueBySubAccountAccounting=アカウンティングサブアカウントで表示 @@ -59,7 +59,7 @@ MainAccountForSubscriptionPaymentNotDefined=セットアップで定義されて AccountancyArea=経理エリア AccountancyAreaDescIntro=会計モジュールの使用は、いくつかのステップで行われる。 AccountancyAreaDescActionOnce=次のアクションは通常、1回だけ、または1年に1回実行される。 -AccountancyAreaDescActionOnceBis=次のステップは、仕訳帳化を行うときに正しいデフォルトの会計科目を提案することにより、将来の時間を節約するために実行する必要がある(仕訳帳および総勘定元帳にレコードを書き込む) +AccountancyAreaDescActionOnceBis=次のステップは、仕訳帳化を行うときに正しいデフォルトの会計科目を提案することにより、将来の時間を節約するために実行する必要がある(仕訳帳および総勘定元帳にレコードを書き込む) AccountancyAreaDescActionFreq=次のアクションは通常、非常に大規模な企業の場合、毎月、毎週、または毎日実行される。 AccountancyAreaDescJournalSetup=ステップ%s:メニュー%sから仕訳帳リストのコンテンツを作成または確認する @@ -70,7 +70,7 @@ AccountancyAreaDescVat=ステップ%s:各VAT率の会計科目を定義する AccountancyAreaDescDefault=ステップ%s:デフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescExpenseReport=ステップ%s:経費報告書の種別ごとにデフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescSal=ステップ%s:給与支払いのデフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 -AccountancyAreaDescContrib=ステップ%s:特別経費(雑税)のデフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 +AccountancyAreaDescContrib=ステップ%s:特別経費(雑税)のデフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescDonation=ステップ%s:寄付のデフォルトの会計科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescSubscription=ステップ%s:メンバーサブスクリプションのデフォルトのアカウンティング科目を定義する。これには、メニューエントリ%sを使用する。 AccountancyAreaDescMisc=ステップ%s:その他のトランザクションの必須のデフォルト科目とデフォルトのアカウンティング科目を定義する。これには、メニューエントリ%sを使用する。 @@ -84,7 +84,7 @@ AccountancyAreaDescAnalyze=ステップ%s:既存のトランザクションを AccountancyAreaDescClosePeriod=ステップ%s:期間を閉じて、将来変更できないようにする。 -TheJournalCodeIsNotDefinedOnSomeBankAccount=セットアップの必須ステップが完了していない(すべての銀行口座に対して会計コード仕訳帳が定義されていない) +TheJournalCodeIsNotDefinedOnSomeBankAccount=セットアップの必須ステップが完了していない(すべての銀行口座に対して会計コード仕訳帳が定義されていない) Selectchartofaccounts=アクティブな勘定科目表を選択する ChangeAndLoad=変更してロード Addanaccount=勘定科目を追加 @@ -145,18 +145,18 @@ NotVentilatedinAccount=会計科目にバインドされていない XLineSuccessfullyBinded=%s製品/サービスがアカウンティング科目に正常にバインドされた XLineFailedToBeBinded=%s製品/サービスはどの会計科目にもバインドされていない -ACCOUNTING_LIMIT_LIST_VENTILATION=リストおよびバインドページの最大行数(推奨:50) +ACCOUNTING_LIMIT_LIST_VENTILATION=リストおよびバインドページの最大行数(推奨:50) ACCOUNTING_LIST_SORT_VENTILATION_TODO=「Bindingtodo」ページの最新の要素による並べ替えを開始する ACCOUNTING_LIST_SORT_VENTILATION_DONE=「製本完了」ページの最新の要素による並べ替えを開始する -ACCOUNTING_LENGTH_DESCRIPTION=x文字の後のリストの製品とサービスの説明を切り捨てます(ベスト= 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=x文字の後のリストの製品とサービスの科目説明フォームを切り捨てます(ベスト= 50) -ACCOUNTING_LENGTH_GACCOUNT=一般会計科目の長さ(ここで値を6に設定すると、勘定科目「706」は画面に「706000」のように表示される) -ACCOUNTING_LENGTH_AACCOUNT=取引先のアカウンティング科目の長さ(ここで値を6に設定すると、科目「401」は画面に「401000」のように表示される) -ACCOUNTING_MANAGE_ZERO=会計科目の最後に異なる数のゼロを管理できるようにする。一部の国(スイスなど)で必要です。オフ(デフォルト)に設定すると、次の2つのパラメーターを設定して、アプリケーションに仮想ゼロを追加するように要求できる。 +ACCOUNTING_LENGTH_DESCRIPTION=x文字の後のリストの製品とサービスの説明を切り捨てます(ベスト= 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=x文字の後のリストの製品とサービスの科目説明フォームを切り捨てます(ベスト= 50) +ACCOUNTING_LENGTH_GACCOUNT=一般会計科目の長さ(ここで値を6に設定すると、勘定科目「706」は画面に「706000」のように表示される) +ACCOUNTING_LENGTH_AACCOUNT=取引先のアカウンティング科目の長さ(ここで値を6に設定すると、科目「401」は画面に「401000」のように表示される) +ACCOUNTING_MANAGE_ZERO=会計科目の最後に異なる数のゼロを管理できるようにする。一部の国(スイスなど)で必要です。オフ(デフォルト)に設定すると、次の2つのパラメーターを設定して、アプリケーションに仮想ゼロを追加するように要求できる。 BANK_DISABLE_DIRECT_INPUT=銀行口座での取引の直接記録を無効にする ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=仕訳帳で下書きエクスポートを有効にする -ACCOUNTANCY_COMBO_FOR_AUX=子会社科目のコンボリストを有効にする(取引先が多数ある場合は遅くなる可能性がある) +ACCOUNTANCY_COMBO_FOR_AUX=子会社科目のコンボリストを有効にする(取引先が多数ある場合は遅くなる可能性がある) ACCOUNTING_DATE_START_BINDING=会計で紐付け力と移転を開始する日付を定義する。この日付を下回ると、トランザクションはアカウンティングに転送されない。 ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=会計転送では、デフォルトで期間表示を選択する @@ -167,8 +167,8 @@ ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal ACCOUNTING_SOCIAL_JOURNAL=Social journal ACCOUNTING_HAS_NEW_JOURNAL=新規仕訳帳がある -ACCOUNTING_RESULT_PROFIT=結果会計科目(利益) -ACCOUNTING_RESULT_LOSS=結果会計科目(損失) +ACCOUNTING_RESULT_PROFIT=結果会計科目(利益) +ACCOUNTING_RESULT_LOSS=結果会計科目(損失) ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=閉鎖の仕訳帳 ACCOUNTING_ACCOUNT_TRANSFER_CASH=移行銀行振込の会計科目 @@ -180,19 +180,19 @@ ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=サブスクリプションを登録す ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=顧客預金を登録するためのデフォルトの会計科目 -ACCOUNTING_PRODUCT_BUY_ACCOUNT=購入した製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=EEC域内で購入した製品のデフォルト会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=購入品で、EEC域外から輸入された製品のデフォルト会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=販売された製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=EECで販売された製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=EECから販売およびエクスポートされた製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=購入した製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=EEC域内で購入した製品のデフォルト会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=購入品で、EEC域外から輸入された製品のデフォルト会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=販売された製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=EECで販売された製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=EECから販売およびエクスポートされた製品のデフォルトの会計科目(製品シートで定義されていない場合に使用) -ACCOUNTING_SERVICE_BUY_ACCOUNT=購入したサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=EECで購入したサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=購入したサービスおよびEECからインポートされたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=販売されたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=EECで販売されるサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=EECから販売およびエクスポートされたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_BUY_ACCOUNT=購入したサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=EECで購入したサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=購入したサービスおよびEECからインポートされたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=販売されたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=EECで販売されるサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=EECから販売およびエクスポートされたサービスのデフォルトのアカウンティング科目(サービスシートで定義されていない場合に使用) Doctype=ドキュメントの種別 Docdate=日付 @@ -220,8 +220,8 @@ DeleteMvt=アカウンティングからいくつかの操作行を削除する DelMonth=削除する月 DelYear=削除する年 DelJournal=削除する仕訳帳 -ConfirmDeleteMvt=これにより、年/月および/または特定の仕訳帳の会計のすべての操作行が削除される(少なくとも1つの基準が必要です)。削除されたレコードを元帳に戻すには、機能「%s」を再利用する必要がある。 -ConfirmDeleteMvtPartial=これにより、トランザクションがアカウンティングから削除される(同じトランザクションに関連するすべての操作ラインが削除される) +ConfirmDeleteMvt=これにより、年/月および/または特定の仕訳帳の会計のすべての操作行が削除される(少なくとも1つの基準が必要です)。削除されたレコードを元帳に戻すには、機能「%s」を再利用する必要がある。 +ConfirmDeleteMvtPartial=これにより、トランザクションがアカウンティングから削除される(同じトランザクションに関連するすべての操作ラインが削除される) FinanceJournal=財務仕訳帳 ExpenseReportsJournal=経費報告仕訳帳 DescFinanceJournal=銀行口座による全種別の支払いを含む財務仕訳帳 @@ -261,22 +261,22 @@ Reconcilable=調整可能 TotalVente=税引前総売上高 TotalMarge=売上総利益 -DescVentilCustomer=製品会計科目にバインドされている(またはバインドされていない)顧客請求書行のリストをここで参照すること +DescVentilCustomer=製品会計科目にバインドされている(またはバインドされていない)顧客請求書行のリストをここで参照すること DescVentilMore=ほとんどの場合、事前定義された製品またはサービスを使用し、製品/サービスカードに科目番号を設定すると、アプリケーションは、請求書の行と勘定科目表の会計科目の間のすべての紐付をボタン "%s" でワンクリックする。製品/サービスカードに科目が設定されていない場合、または科目に紐付けされていない行がまだある場合は、メニュー「%s」から手動で紐付けする必要がある。 DescVentilDoneCustomer=請求書の顧客の行とその製品会計科目のリストをここで参照すること DescVentilTodoCustomer=製品会計科目にまだ紐付けされていない請求書行を紐付けする ChangeAccount=選択したラインの製品/サービス会計科目を次の会計科目に変更する。 Vide=- -DescVentilSupplier=製品会計科目にバインドされている、またはまだバインドされていない仕入先請求書明細のリストをここで参照すること(会計でまだ転送されていないレコードのみが表示される) +DescVentilSupplier=製品会計科目にバインドされている、またはまだバインドされていない仕入先請求書明細のリストをここで参照すること(会計でまだ転送されていないレコードのみが表示される) DescVentilDoneSupplier=ベンダーの請求書の行とその会計科目のリストをここで参照すること DescVentilTodoExpenseReport=まだ料金会計科目に紐付けされていない経費レポート行を紐付けする -DescVentilExpenseReport=手数料会計科目にバインドされている(またはバインドされていない)経費報告行のリストをここで参照すること +DescVentilExpenseReport=手数料会計科目にバインドされている(またはバインドされていない)経費報告行のリストをここで参照すること DescVentilExpenseReportMore=経費報告行の種別で会計科目を設定すると、アプリケーションは、ボタン "%s" をワンクリックするだけで、経費報告行と勘定科目表の会計科目の間のすべての紐付けを行うことができる。科目が料金辞書に設定されていない場合、または科目に紐付けされていない行がまだある場合は、メニュー「%s」から手動で紐付けする必要がある。 DescVentilDoneExpenseReport=経費報告書の行とその手数料会計科目のリストをここで参照すること Closure=年次閉鎖 DescClosure=検証されていない月ごとの動きの数とすでに開いている会計年度をここで参照すること -OverviewOfMovementsNotValidated=ステップ1 /検証されていない動きの概要。 (決算期に必要) +OverviewOfMovementsNotValidated=ステップ1 /検証されていない動きの概要。 (決算期に必要) AllMovementsWereRecordedAsValidated=すべての動きは検証済みとして記録された NotAllMovementsCouldBeRecordedAsValidated=すべての動きを検証済みとして記録できるわけではない ValidateMovements=動きを検証する @@ -321,9 +321,9 @@ ErrorAccountingJournalIsAlreadyUse=この仕訳帳はすでに使用されてい AccountingAccountForSalesTaxAreDefinedInto=注:消費税の会計科目は、メニュー %s -- %sに定義されている。 NumberOfAccountancyEntries=エントリー数 NumberOfAccountancyMovements=楽章の数 -ACCOUNTING_DISABLE_BINDING_ON_SALES=販売の会計における紐付け力と移転を無効にする(顧客の請求書は会計に考慮されない) -ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=購入時の会計における紐付け力と移転を無効にする(ベンダーの請求書は会計で考慮されない) -ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=経費報告書の会計における紐付け力と移転を無効にする(経費報告書は会計で考慮されない) +ACCOUNTING_DISABLE_BINDING_ON_SALES=販売の会計における紐付け力と移転を無効にする(顧客の請求書は会計に考慮されない) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=購入時の会計における紐付け力と移転を無効にする(ベンダーの請求書は会計で考慮されない) +ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=経費報告書の会計における紐付け力と移転を無効にする(経費報告書は会計で考慮されない) ## Export ExportDraftJournal=下書き仕訳帳のエクスポート @@ -338,16 +338,16 @@ Modelcsv_quadratus=QuadratusQuadraComptaのエクスポート Modelcsv_ebp=EBPのエクスポート Modelcsv_cogilog=Cogilogのエクスポート Modelcsv_agiris=Agirisのエクスポート -Modelcsv_LDCompta=LD Compta(v9)のエクスポート(テスト) -Modelcsv_LDCompta10=LD Compta(v10以降)のエクスポート -Modelcsv_openconcerto=OpenConcertoのエクスポート(テスト) +Modelcsv_LDCompta=LD Compta(v9)のエクスポート(テスト) +Modelcsv_LDCompta10=LD Compta(v10以降)のエクスポート +Modelcsv_openconcerto=OpenConcertoのエクスポート(テスト) Modelcsv_configurable=CSV構成可能のエクスポート Modelcsv_FEC=FECのエクスポート -Modelcsv_FEC2=FECのエクスポート(日付生成の書き込み/ドキュメントの反転あり) +Modelcsv_FEC2=FECのエクスポート(日付生成の書き込み/ドキュメントの反転あり) Modelcsv_Sage50_Swiss=セージ50スイスへのエクスポート Modelcsv_winfic=Winficのエクスポート-eWinfic-WinSisCompta -Modelcsv_Gestinumv3=Gestinum(v3)のエクスポート -Modelcsv_Gestinumv5Export Gestinum(v5)の場合 +Modelcsv_Gestinumv3=Gestinum(v3)のエクスポート +Modelcsv_Gestinumv5Export Gestinum(v5)の場合 ChartofaccountsId=勘定科目表ID ## Tools - Init accounting account on product / service @@ -388,7 +388,7 @@ Formula=式 ## Error SomeMandatoryStepsOfSetupWereNotDone=セットアップのいくつかの必須の手順が実行されないでした。それらを完了すること -ErrorNoAccountingCategoryForThisCountry=国%sで使用できる会計科目グループがない( ホーム - 設定 - 辞書 を参照) +ErrorNoAccountingCategoryForThisCountry=国%sで使用できる会計科目グループがない( ホーム - 設定 - 辞書 を参照) ErrorInvoiceContainsLinesNotYetBounded=請求書%s の一部の行を仕訳しようとしたが、他の一部の行はまだ会計科目にバインドされていない。この請求書のすべての請求書行の仕訳は拒否される。 ErrorInvoiceContainsLinesNotYetBoundedShort=請求書の一部の行は、会計科目にバインドされていない。 ExportNotSupported=設定されたエクスポート形式は、このページではサポートされていない diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index bb1e8e4c9da..f4f7d571b44 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -154,7 +154,7 @@ SystemToolsAreaDesc=この領域は管理機能を提供する。メニューを Purge=パージ PurgeAreaDesc=このページでは、Dolibarrによって生成または保存されたすべてのファイル ( 一時ファイルまたは %s ディレクトリ内のすべてのファイル ) を削除できる。通常、この機能を使用する必要はない。これは、Webサーバーによって生成されたファイルを削除する権限を提供しないプロバイダーによってDolibarrがホストされているユーザの回避策として提供されている。 PurgeDeleteLogFile=Syslogモジュール用に定義された%s を含むログファイルを削除する ( データを失うリスクはない ) -PurgeDeleteTemporaryFiles=すべてのログファイルと一時ファイルを削除する(データを失うリスクなし)。注:一時ファイルの削除は、一時ディレクトリが24時間以上前に作成された場合にのみ実行される。 +PurgeDeleteTemporaryFiles=すべてのログファイルと一時ファイルを削除する(データを失うリスクなし)。注:一時ファイルの削除は、一時ディレクトリが24時間以上前に作成された場合にのみ実行される。 PurgeDeleteTemporaryFilesShort=ログと一時ファイルを削除する PurgeDeleteAllFilesInDocumentsDir=ディレクトリ: %s 内のすべてのファイルを削除する。
これにより、要素 ( 取引先、請求書など ) に関連する生成されたすべてのドキュメント、ECMモジュールにアップロードされたファイル、データベースのバックアップダンプ、および一時ファイルが削除される。 PurgeRunNow=今パージ @@ -408,7 +408,7 @@ UrlGenerationParameters=URLを確保するためのパラメータ SecurityTokenIsUnique=各URLごとに一意securekeyパラメータを使用して、 EnterRefToBuildUrl=オブジェクト%sの参照を入力する。 GetSecuredUrl=計算されたURLを取得する -ButtonHideUnauthorized=内部ユーザーに対しても不正なアクションボタンを非表示にする(それ以外の場合は灰色で表示される) +ButtonHideUnauthorized=内部ユーザーに対しても不正なアクションボタンを非表示にする(それ以外の場合は灰色で表示される) OldVATRates=古いVAT率 NewVATRates=新規VAT率 PriceBaseTypeToChange=で定義された基本参照値を使用して価格を変更する @@ -838,7 +838,7 @@ Permission402=割引を作成/変更 Permission403=割引を検証する Permission404=割引を削除する。 Permission430=デバッグバーを使用する -Permission511=給与の支払いを見る(自分と部下) +Permission511=給与の支払いを見る(自分と部下) Permission512=給与の支払いを作成/変更する Permission514=給与の支払いを削除する Permission517=全員の給料支払いを見る @@ -1316,7 +1316,7 @@ PHPModuleLoaded=PHPコンポーネント%sがロードされる PreloadOPCode=プリロードされたOPCodeが使用される AddRefInList=顧客/仕入先参照を表示する。情報リスト ( 選択リストまたはコンボボックス ) およびほとんどのハイパーリンク。
取引先は、「CC12345-SC45678-The BigCompanycorp。」という名前の形式で表示される。 「TheBigCompanycorp」の代わりに。 AddAdressInList=顧客/仕入先の住所情報リストを表示する ( リストまたはコンボボックスを選択 )
取引先は、「TheBigCompanycorp。」ではなく「TheBigCompanycorp。-21jumpstreet 123456Bigtown-USA」の名前形式で表示される。 -AddEmailPhoneTownInContactList=連絡先の電子メール(または未定義の場合は電話)と町の情報リスト(選択リストまたはコンボボックス)を表示
連絡先は以下の名称と形式で表記される:"Dupond Durand" の形式でなく、 "Dupond Durand - dupond.durand@email.com - Paris" または "Dupond Durand - 06 07 59 65 66 - Paris" 。 +AddEmailPhoneTownInContactList=連絡先の電子メール(または未定義の場合は電話)と町の情報リスト(選択リストまたはコンボボックス)を表示
連絡先は以下の名称と形式で表記される:"Dupond Durand" の形式でなく、 "Dupond Durand - dupond.durand@email.com - Paris" または "Dupond Durand - 06 07 59 65 66 - Paris" 。 AskForPreferredShippingMethod=取引先の優先配送方法を尋ねる。 FieldEdition=フィールド%sのエディション FillThisOnlyIfRequired=例:+2 ( タイムゾーンオフセットの問題が発生した場合にのみ入力 ) @@ -1598,8 +1598,13 @@ ServiceSetup=サービスモジュールの設定 ProductServiceSetup=製品とサービスモジュールの設定 NumberOfProductShowInSelect=コンボ選択リストに表示する製品の最大数 ( 0 =制限なし ) ViewProductDescInFormAbility=製品の説明をフォームに表示する ( それ以外の場合はツールチップポップアップに表示される ) +DoNotAddProductDescAtAddLines=フォームの追加行の送信時に(製品カードから)製品説明を追加しないこと +OnProductSelectAddProductDesc=ドキュメントの行として製品追加するときの、製品説明の使用方法 +AutoFillFormFieldBeforeSubmit=説明入力フィールドに製品説明を自動入力する +DoNotAutofillButAutoConcat=入力フィールドに製品説明を自動入力しない。製品説明は、入力された説明に自動的に連結される。 +DoNotUseDescriptionOfProdut=製品説明が文書の行の説明に含まれることはない MergePropalProductCard=製品/サービスが提案に含まれている場合、製品/サービスの【添付ファイル】タブで、製品のPDFドキュメントを提案のPDFazurにマージするオプションをアクティブにする -ViewProductDescInThirdpartyLanguageAbility=取引先の言語で製品の説明を表示する +ViewProductDescInThirdpartyLanguageAbility=フォームでは製品説明を取引先の言語(それ以外の場合はユーザの言語)で表示 UseSearchToSelectProductTooltip=また、製品の数が多い ( > 100 000 ) 場合は、【設定】-> 【その他】で定数PRODUCT_DONOTSEARCH_ANYWHEREを1に設定することで速度を上げることができる。その後、検索は文字列の先頭に限定される。 UseSearchToSelectProduct=キーを押すまで待ってから、製品コンボリストのコンテンツをロードすること ( これにより、製品の数が多い場合にパフォーマンスが向上する可能性があるが、あまり便利ではない ) SetDefaultBarcodeTypeProducts=製品に使用するデフォルトのバーコードの種類 @@ -1674,7 +1679,7 @@ AdvancedEditor=高度なエディタ ActivateFCKeditor=のための高度なエディタをアクティブにする。 FCKeditorForCompany=要素の説明と注意事項のWYSIWIGエディタの作成/版 ( 製品/サービスを除く ) FCKeditorForProduct=製品/サービスの説明と注意事項のWYSIWIGエディタの作成/版 -FCKeditorForProductDetails=WYSIWIGによる製品の作成/編集では、すべてのエンティティ(提案、注文、請求書など)の詳細行が示される。 警告:この場合にこのオプションを使用することは、PDFファイルを作成するときに特殊文字やページの書式設定で問題が発生する可能性があるため、真剣に推奨されない。 +FCKeditorForProductDetails=WYSIWIGによる製品の作成/編集では、すべてのエンティティ(提案、注文、請求書など)の詳細行が示される。 警告:この場合にこのオプションを使用することは、PDFファイルを作成するときに特殊文字やページの書式設定で問題が発生する可能性があるため、真剣に推奨されない。 FCKeditorForMailing= 郵送のWYSIWIGエディタの作成/版 FCKeditorForUserSignature=WYSIWIGによるユーザ署名の作成/編集 FCKeditorForMail=すべてのメールのWYSIWIG作成/エディション ( 【ツール】-> 【電子メール】を除く ) @@ -1691,7 +1696,7 @@ NotTopTreeMenuPersonalized=トップメニューエントリにリンクされ NewMenu=新メニュー MenuHandler=メニューハンドラ MenuModule=ソース·モジュール -HideUnauthorizedMenu=内部ユーザーに対しても許可されていないメニューを非表示にする(それ以外の場合は灰色で表示される) +HideUnauthorizedMenu=内部ユーザーに対しても許可されていないメニューを非表示にする(それ以外の場合は灰色で表示される) DetailId=idのメニュー DetailMenuHandler=新規メニューを表示するメニューハンドラ DetailMenuModule=モジュール名のメニューエントリは、モジュールから来る場合 @@ -1740,9 +1745,9 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=イベント作成フォームでイベントの AGENDA_DEFAULT_FILTER_TYPE=アジェンダビューの検索フィルタでこの種別のイベントを自動的に設定する AGENDA_DEFAULT_FILTER_STATUS=アジェンダビューの検索フィルタでイベントのこのステータスを自動的に設定する AGENDA_DEFAULT_VIEW=メニューの議題を選択するときに、デフォルトでどのビューを開くか -AGENDA_REMINDER_BROWSER=ユーザーのブラウザ
でイベントリマインダーを有効にする(リマインダーの日付に達すると、ブラウザにポップアップが表示される。各ユーザーは、ブラウザの通知設定からそのような通知を無効にできる)。 +AGENDA_REMINDER_BROWSER=ユーザーのブラウザでイベントリマインダーを有効にする(リマインダーの日付に達すると、ブラウザにポップアップが表示される。各ユーザーは、ブラウザの通知設定からそのような通知を無効にできる)。 AGENDA_REMINDER_BROWSER_SOUND=音声通知を有効にする -AGENDA_REMINDER_EMAIL=電子メールでイベントリマインダーを有効にする(リマインダーオプション/遅延は各イベントで定義できる)。 +AGENDA_REMINDER_EMAIL=電子メールでイベントリマインダーを有効にする(リマインダーオプション/遅延は各イベントで定義できる)。 AGENDA_REMINDER_EMAIL_NOTE=注:タスク%sの頻度は、リマインダーが正しいタイミングで送信されることを確認するのに十分でなければならない。 AGENDA_SHOW_LINKED_OBJECT=リンクされたオブジェクトを議題ビューに表示する ##### Clicktodial ##### diff --git a/htdocs/langs/ja_JP/agenda.lang b/htdocs/langs/ja_JP/agenda.lang index a918ed85c32..e6c0411be42 100644 --- a/htdocs/langs/ja_JP/agenda.lang +++ b/htdocs/langs/ja_JP/agenda.lang @@ -1,26 +1,26 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=ID event +IdAgenda=IDイベント Actions=イベント Agenda=議題 TMenuAgenda=議題 -Agendas=アジェンダ -LocalAgenda=Internal calendar -ActionsOwnedBy=Event owned by +Agendas=議題s +LocalAgenda=内部カレンダー +ActionsOwnedBy=が所有するイベント ActionsOwnedByShort=所有者 AffectedTo=影響を受ける Event=イベント Events=イベント -EventsNb=Number of events +EventsNb=イベント数 ListOfActions=イベントのリスト -EventReports=Event reports +EventReports=イベントレポート Location=場所 -ToUserOfGroup=Event assigned to any user in group +ToUserOfGroup=グループ内の任意のユーザーに割り当てられたイベント EventOnFullDay=一日のイベント MenuToDoActions=すべての不完全なイベント MenuDoneActions=すべての終了イベント MenuToDoMyActions=私の不完全なイベント MenuDoneMyActions=私の終了イベント -ListOfEvents=List of events (internal calendar) +ListOfEvents=イベント一覧(内部カレンダー) ActionsAskedBy=によって報告されたイベント ActionsToDoBy=イベントへの影響を受けた ActionsDoneBy=によって行われたイベント @@ -28,141 +28,142 @@ ActionAssignedTo=イベントに影響を受けた ViewCal=月間表示 ViewDay=日表示 ViewWeek=週ビュー -ViewPerUser=Per user view -ViewPerType=Per type view +ViewPerUser=ユーザービューごと +ViewPerType=種別ビューごと AutoActions= 議題の自動充填 -AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. -AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) -AgendaExtSitesDesc=このページでは、Dolibarrの議題にそれらのイベントを表示するにはカレンダーの外部ソースを宣言することができます。 +AgendaAutoActionDesc= ここで、Dolibarrが議題で自動的に作成するイベントを定義できる。何もチェックされていない場合、手動アクションのみがログに含まれ、議題に表示されます。オブジェクトに対して実行されたビジネスアクション(検証、ステータス変更)の自動追跡は保存されません。 +AgendaSetupOtherDesc= このページには、Dolibarrイベントを外部カレンダー(Thunderbird、Googleカレンダーなど)にエクスポートできるようにするオプションがある。 +AgendaExtSitesDesc=このページでは、Dolibarrの議題にそれらのイベントを表示するにはカレンダーの外部ソースを宣言することができる。 ActionsEvents=Dolibarrが自動的に議題でアクションを作成する対象のイベント -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into %s module setup. +EventRemindersByEmailNotEnabled=電子メールによるイベントリマインダーは、%sモジュールセットアップで有効になっていなかった。 ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created -COMPANY_DELETEInDolibarr=Third party %s deleted -ContractValidatedInDolibarr=Contract %s validated -CONTRACT_DELETEInDolibarr=Contract %s deleted -PropalClosedSignedInDolibarr=Proposal %s signed -PropalClosedRefusedInDolibarr=Proposal %s refused +NewCompanyToDolibarr=取引先%sは作成済 +COMPANY_DELETEInDolibarr=取引先%sは削除済 +ContractValidatedInDolibarr=契約%sは検証済 +CONTRACT_DELETEInDolibarr=契約%sは削除済 +PropalClosedSignedInDolibarr=提案%sが署名された +PropalClosedRefusedInDolibarr=提案%sは拒否された PropalValidatedInDolibarr=提案%sは、検証 -PropalClassifiedBilledInDolibarr=Proposal %s classified billed -InvoiceValidatedInDolibarr=請求書%sは、検証 -InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS +PropalClassifiedBilledInDolibarr=提案%s分類請求済 +InvoiceValidatedInDolibarr=請求書%sは検証済 +InvoiceValidatedInDolibarrFromPos=POSから検証された請求書%s InvoiceBackToDraftInDolibarr=請求書%sはドラフトの状態に戻って -InvoiceDeleteDolibarr=Invoice %s deleted -InvoicePaidInDolibarr=Invoice %s changed to paid -InvoiceCanceledInDolibarr=Invoice %s canceled -MemberValidatedInDolibarr=Member %s validated -MemberModifiedInDolibarr=Member %s modified -MemberResiliatedInDolibarr=Member %s terminated -MemberDeletedInDolibarr=Member %s deleted -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted -ShipmentValidatedInDolibarr=Shipment %s validated -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open -ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status -ShipmentDeletedInDolibarr=Shipment %s deleted -ReceptionValidatedInDolibarr=Reception %s validated -OrderCreatedInDolibarr=Order %s created -OrderValidatedInDolibarr=注文%sは、検証 -OrderDeliveredInDolibarr=Order %s classified delivered -OrderCanceledInDolibarr=ご注文はキャンセル%s -OrderBilledInDolibarr=Order %s classified billed -OrderApprovedInDolibarr=注文%sは、承認された -OrderRefusedInDolibarr=Order %s refused +InvoiceDeleteDolibarr=請求書%sは削除済 +InvoicePaidInDolibarr=請求書%sが有料に変更された +InvoiceCanceledInDolibarr=請求書%sは取消済 +MemberValidatedInDolibarr=メンバー%sは検証済 +MemberModifiedInDolibarr=メンバー%sは変更済 +MemberResiliatedInDolibarr=メンバー%sが終了した +MemberDeletedInDolibarr=メンバー%sは削除済 +MemberSubscriptionAddedInDolibarr=メンバー%sのサブスクリプション%sは追加済 +MemberSubscriptionModifiedInDolibarr=メンバー%sのサブスクリプション%sは変更済 +MemberSubscriptionDeletedInDolibarr=メンバー%sのサブスクリプション%sは削除済 +ShipmentValidatedInDolibarr=出荷%sは検証済 +ShipmentClassifyClosedInDolibarr=出荷%s分類請求済 +ShipmentUnClassifyCloseddInDolibarr=出荷%s分類再開 +ShipmentBackToDraftInDolibarr=出荷%sはドラフトステータスに戻る +ShipmentDeletedInDolibarr=出荷%sは削除済 +ReceptionValidatedInDolibarr=受信%sは検証済 +OrderCreatedInDolibarr=注文%sは作成済 +OrderValidatedInDolibarr=注文%sは検証済 +OrderDeliveredInDolibarr=分類された%sを注文して配達 +OrderCanceledInDolibarr=注文%s は取消済 +OrderBilledInDolibarr=注文 %sは分類請求済 +OrderApprovedInDolibarr=注文%sは承認済 +OrderRefusedInDolibarr=注文%sが拒否された OrderBackToDraftInDolibarr=注文%sは、ドラフトの状態に戻って -ProposalSentByEMail=Commercial proposal %s sent by email -ContractSentByEMail=Contract %s sent by email -OrderSentByEMail=Sales order %s sent by email -InvoiceSentByEMail=Customer invoice %s sent by email -SupplierOrderSentByEMail=Purchase order %s sent by email -ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted -SupplierInvoiceSentByEMail=Vendor invoice %s sent by email -ShippingSentByEMail=Shipment %s sent by email -ShippingValidated= Shipment %s validated -InterventionSentByEMail=Intervention %s sent by email -ProposalDeleted=Proposal deleted -OrderDeleted=Order deleted -InvoiceDeleted=Invoice deleted -DraftInvoiceDeleted=Draft invoice deleted -CONTACT_CREATEInDolibarr=Contact %s created -CONTACT_DELETEInDolibarr=Contact %s 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_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 -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Project %s created -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted -TICKET_CREATEInDolibarr=Ticket %s created -TICKET_MODIFYInDolibarr=Ticket %s modified -TICKET_ASSIGNEDInDolibarr=Ticket %s assigned -TICKET_CLOSEInDolibarr=Ticket %s closed -TICKET_DELETEInDolibarr=Ticket %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_UNVALIDATEInDolibarr=MO set to draft status -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted -MRP_MO_CANCELInDolibarr=MO canceled +ProposalSentByEMail=電子メールで送信された商用提案%s +ContractSentByEMail=メールで送信された契約%s +OrderSentByEMail=電子メールで送信された販売注文%s +InvoiceSentByEMail=電子メールで送信された顧客の請求書%s +SupplierOrderSentByEMail=電子メールで送信された注文書%s +ORDER_SUPPLIER_DELETEInDolibarr=注文書%sは削除済 +SupplierInvoiceSentByEMail=電子メールで送信された仕入先の請求書%s +ShippingSentByEMail=電子メールで送信された出荷%s +ShippingValidated= 出荷%sは検証済 +InterventionSentByEMail=電子メールで送信された介入%s +ProposalDeleted=提案は削除済 +OrderDeleted=注文は削除済 +InvoiceDeleted=請求書は削除済 +DraftInvoiceDeleted=ドラフト請求書は削除済 +CONTACT_CREATEInDolibarr=作成された連絡先%s +CONTACT_DELETEInDolibarr=連絡先%sは削除済 +PRODUCT_CREATEInDolibarr=製品%sは作成済 +PRODUCT_MODIFYInDolibarr=製品%sは変更済 +PRODUCT_DELETEInDolibarr=製品%sは削除済 +HOLIDAY_CREATEInDolibarr=休暇申請%sは作成済 +HOLIDAY_MODIFYInDolibarr=休暇申請%sを変更 +HOLIDAY_APPROVEInDolibarr=休暇申請%s承認済 +HOLIDAY_VALIDATEInDolibarr=休暇のリクエスト%sは検証済 +HOLIDAY_DELETEInDolibarr=休暇申請%sを削除 +EXPENSE_REPORT_CREATEInDolibarr=経費報告書%sは作成済 +EXPENSE_REPORT_VALIDATEInDolibarr=経費報告書%sは検証済 +EXPENSE_REPORT_APPROVEInDolibarr=経費報告書%sは承認済 +EXPENSE_REPORT_DELETEInDolibarr=経費報告書%sは削除済 +EXPENSE_REPORT_REFUSEDInDolibarr=経費報告書%sが拒否された +PROJECT_CREATEInDolibarr=プロジェクト%sは作成済 +PROJECT_MODIFYInDolibarr=プロジェクト%sは変更済 +PROJECT_DELETEInDolibarr=プロジェクト%sは削除済 +TICKET_CREATEInDolibarr=チケット%sは作成済 +TICKET_MODIFYInDolibarr=チケット%sは変更済 +TICKET_ASSIGNEDInDolibarr=割り当てられたチケット%s +TICKET_CLOSEInDolibarr=チケット%sは終了した +TICKET_DELETEInDolibarr=チケット%sは削除済 +BOM_VALIDATEInDolibarr=BOM検証済 +BOM_UNVALIDATEInDolibarr=BOMは検証されていない +BOM_CLOSEInDolibarr=BOMが無効 +BOM_REOPENInDolibarr=BOMが再開 +BOM_DELETEInDolibarr=BOMは削除済 +MRP_MO_VALIDATEInDolibarr=MO検証済 +MRP_MO_UNVALIDATEInDolibarr=MOがドラフトステータスに設定 +MRP_MO_PRODUCEDInDolibarr=MOプロデュース +MRP_MO_DELETEInDolibarr=MOは削除済 +MRP_MO_CANCELInDolibarr=MOは取消済 ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=イベントのドキュメントテンプレート DateActionStart=開始日 DateActionEnd=終了日 -AgendaUrlOptions1=また、出力をフィルタリングするには、次のパラメータを追加することができます。 -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic events. -AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays. -AgendaShowBirthdayEvents=Show birthdays of contacts -AgendaHideBirthdayEvents=Hide birthdays of contacts -Busy=Busy -ExportDataset_event1=List of agenda events -DefaultWorkingDays=Default working days range in week (Example: 1-5, 1-6) -DefaultWorkingHours=Default working hours in day (Example: 9-18) +AgendaUrlOptions1=また、出力をフィルタリングするには、次のパラメータを追加することができる。 +AgendaUrlOptions3= logina = %s は、出力をユーザーが所有するアクションに制限する%s。 +AgendaUrlOptionsNotAdmin= logina =!%s は、出力をユーザーが所有していないアクションに制限する %s。 +AgendaUrlOptions4= logint = %s は、出力をユーザー %s (所有者など)に割り当てられたアクションに制限する。 +AgendaUrlOptionsProject= project = __ PROJECT_ID__ は、出力をプロジェクト __PROJECT_ID__にリンクされたアクションに制限する。 +AgendaUrlOptionsNotAutoEvent= 自動イベントを除外するには、 notactiontype = systemauto。 +AgendaUrlOptionsIncludeHolidays= includeholidays = 1 は、休日のイベントを含む。 +AgendaShowBirthdayEvents=連絡先の誕生日を表示する +AgendaHideBirthdayEvents=連絡先の誕生日を非表示にする +Busy=忙しい +ExportDataset_event1=議題イベントのリスト +DefaultWorkingDays=デフォルトの稼働日は週単位です(例:1-5、1-6) +DefaultWorkingHours=1日のデフォルトの労働時間(例:9-18) # External Sites ical ExportCal=輸出カレンダー ExtSites=外部カレンダーをインポートする -ExtSitesEnableThisTool=Show external calendars (defined in global setup) in Agenda. Does not affect external calendars defined by users. +ExtSitesEnableThisTool=議題に外部カレンダー(グローバル設定で定義)を表示する。ユーザーが定義した外部カレンダーには影響しない。 ExtSitesNbOfAgenda=カレンダーの数 -AgendaExtNb=Calendar no. %s +AgendaExtNb=カレンダー番号%s ExtSiteUrlAgenda=。iCalファイルにアクセスするためのURL -ExtSiteNoLabel=全く説明がありません -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range -AddEvent=Create event -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date -ConfirmCloneEvent=Are you sure you want to clone the event %s? -RepeatEvent=Repeat event -EveryWeek=Every week -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 -ReminderTime=Reminder period before the event -TimeType=Duration type -ReminderType=Callback type -AddReminder=Create an automatic reminder notification for this event -ErrorReminderActionCommCreation=Error creating the reminder notification for this event -BrowserPush=Browser Notification +ExtSiteNoLabel=説明なし +VisibleTimeRange=目に見える時間範囲 +VisibleDaysRange=目に見える日の範囲 +AddEvent=イベントを作成する +MyAvailability=私の可用性 +ActionType=イベント種別 +DateActionBegin=イベント開始日 +ConfirmCloneEvent=イベント%s のクローンを作成してもよろしいですか? +RepeatEvent=イベントを繰り返す +OnceOnly=一回だけ +EveryWeek=毎週 +EveryMonth=毎月 +DayOfMonth=曜日 +DayOfWeek=曜日 +DateStartPlusOne=開始日+1時間 +SetAllEventsToTodo=すべてのイベントをToDoに設定する +SetAllEventsToInProgress=すべてのイベントを進行中に設定する +SetAllEventsToFinished=すべてのイベントを終了に設定する +ReminderTime=イベント前のリマインダー期間 +TimeType=期間種別 +ReminderType=コールバック種別 +AddReminder=このイベントの自動リマインダー通知を作成する +ErrorReminderActionCommCreation=このイベントのリマインダー通知の作成中にエラーが発生した +BrowserPush=ブラウザのポップアップ通知 diff --git a/htdocs/langs/ja_JP/assets.lang b/htdocs/langs/ja_JP/assets.lang index 1e340ada3ad..756ce14ea3c 100644 --- a/htdocs/langs/ja_JP/assets.lang +++ b/htdocs/langs/ja_JP/assets.lang @@ -16,50 +16,50 @@ # # Generic # -Assets = Assets -NewAsset = New asset -AccountancyCodeAsset = Accounting code (asset) -AccountancyCodeDepreciationAsset = Accounting code (depreciation asset account) -AccountancyCodeDepreciationExpense = Accounting code (depreciation expense account) -NewAssetType=New asset type -AssetsTypeSetup=Asset type setup -AssetTypeModified=Asset type modified -AssetType=Asset type -AssetsLines=Assets -DeleteType=削除する -DeleteAnAssetType=Delete an asset type -ConfirmDeleteAssetType=Are you sure you want to delete this asset type? -ShowTypeCard=タイプ "%s"を表示 +Assets = 資産 +NewAsset = 新規資産 +AccountancyCodeAsset = 会計コード(資産) +AccountancyCodeDepreciationAsset = 会計コード(減価償却資産勘定) +AccountancyCodeDepreciationExpense = 会計コード(減価償却費勘定) +NewAssetType=新規資産種別 +AssetsTypeSetup=資産種別の設定 +AssetTypeModified=資産種別変更済 +AssetType=資産種別 +AssetsLines=資産 +DeleteType=削除 +DeleteAnAssetType=資産種別を削除 +ConfirmDeleteAssetType=この資産種別を削除したいのね、いいよね? +ShowTypeCard=種別 ’%s' を表示 # Module label 'ModuleAssetsName' -ModuleAssetsName = Assets +ModuleAssetsName = 資産 # Module description 'ModuleAssetsDesc' -ModuleAssetsDesc = Assets description +ModuleAssetsDesc = 資産の説明 # # Admin page # -AssetsSetup = Assets setup -Settings = Settings -AssetsSetupPage = Assets setup page -ExtraFieldsAssetsType = Complementary attributes (Asset type) -AssetsType=Asset type -AssetsTypeId=Asset type id -AssetsTypeLabel=Asset type label -AssetsTypes=Assets types +AssetsSetup = 資産s設定 +Settings = 設定 +AssetsSetupPage = 資産s設定ページ +ExtraFieldsAssetsType = 補完属性(資産種別) +AssetsType=資産種別 +AssetsTypeId=資産種別 ID +AssetsTypeLabel=資産種別ラベル +AssetsTypes=資産種別 # # Menu # -MenuAssets = Assets -MenuNewAsset = New asset -MenuTypeAssets = Type assets -MenuListAssets = リスト -MenuNewTypeAssets = 新しい -MenuListTypeAssets = リスト +MenuAssets = 資産 +MenuNewAsset = 新規資産 +MenuTypeAssets = 種別 資産s +MenuListAssets = 一覧 +MenuNewTypeAssets = 新規 +MenuListTypeAssets = 一覧 # # Module # -NewAssetType=New asset type -NewAsset=New asset +NewAssetType=新規資産種別 +NewAsset=新規資産 diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang index 9b72c922929..42b0000c664 100644 --- a/htdocs/langs/ja_JP/banks.lang +++ b/htdocs/langs/ja_JP/banks.lang @@ -49,7 +49,7 @@ BankAccountDomiciliation=銀行の住所 BankAccountCountry=口座国 BankAccountOwner=口座所有者名 BankAccountOwnerAddress=口座所有者のアドレス -RIBControlError=値の整合性チェックに失敗した。これは、この口座番号の情報が完全でないか、正しくないことを意味する(国、番号、およびIBANを確認)。 +RIBControlError=値の整合性チェックに失敗した。これは、この口座番号の情報が完全でないか、正しくないことを意味する(国、番号、およびIBANを確認)。 CreateAccount=口座を作成 NewBankAccount=新規口座 NewFinancialAccount=新規金融口座 @@ -109,7 +109,7 @@ SocialContributionPayment=社会/財政税の支払 BankTransfer=銀行口座振替 BankTransfers=クレジット転送 MenuBankInternalTransfer=内部転送 -TransferDesc=ある口座から別の口座に転送すると、Dolibarrは2つのレコード(ソース口座の借方とターゲット口座の貸方)を書込む。同じ金額(記号を除く)、ラベル、日付がこの取引に使用される) +TransferDesc=ある口座から別の口座に転送すると、Dolibarrは2つのレコード(ソース口座の借方とターゲット口座の貸方)を書込む。同じ金額(記号を除く)、ラベル、日付がこの取引に使用される) TransferFrom=期初 TransferTo=期末 TransferFromToDone=%s %s %sからの%sへの転送が記録されています。 @@ -171,7 +171,7 @@ VariousPaymentLabel=その他の支払ラベル ConfirmCloneVariousPayment=雑費のクローンを確認 SEPAMandate=SEPA指令 YourSEPAMandate=あなたのSEPA指令 -FindYourSEPAMandate=これは、当法人が銀行に口座振替を注文することを承認するSEPA指令です。署名済(署名済ドキュメントをスキャン)で返送するか、メールで送付すること +FindYourSEPAMandate=これは、当法人が銀行に口座振替を注文することを承認するSEPA指令です。署名済(署名済ドキュメントをスキャン)で返送するか、メールで送付すること AutoReportLastAccountStatement=照合を行うときに、フィールド「銀行取引明細書の番号」に最後の取引明細書番号を自動的に入力する CashControl=POS現金出納帳制御 NewCashFence=新規現金出納帳の締め diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 258b829cd45..0fd32cc6afc 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -28,7 +28,7 @@ InvoiceReplacementAsk=請求書の交換請求書 InvoiceReplacementDesc= 交換用請求書は、支払をまだ受け取っていない請求書を完全に交換するために使用される。

注:交換できるのは、支払のない請求書のみ。交換する請求書がまだ閉じられていない場合は、自動的に閉じられ「放棄」になる。 InvoiceAvoir=貸方表 InvoiceAvoirAsk=請求書を訂正するために貸方表 -InvoiceAvoirDesc=貸方表は、請求書に実際に支払われた金額とは異なる金額が表示されているという事実を修正するために使用される負の請求書です(たとえば、顧客が誤って支払った金額が多すぎる、または一部の製品が返品されたために全額を支払わない)。 。 +InvoiceAvoirDesc=貸方表は、請求書に実際に支払われた金額とは異なる金額が表示されているという事実を修正するために使用される負の請求書です(たとえば、顧客が誤って支払った金額が多すぎる、または一部の製品が返品されたために全額を支払わない)。 。 invoiceAvoirWithLines=元の請求書の行を使用して貸方表を作成する invoiceAvoirWithPaymentRestAmount=未払原産地請求書が残っている貸方表を作成する invoiceAvoirLineWithPaymentRestAmount=残りの未払い金額の貸方表 @@ -83,9 +83,9 @@ PaymentRule=支払ルール PaymentMode=支払種別 PaymentTypeDC=デビット/クレジットカード PaymentTypePP=PayPal -IdPaymentMode=支払種別(id) -CodePaymentMode=支払種別(コード) -LabelPaymentMode=支払種別(ラベル) +IdPaymentMode=支払種別(id) +CodePaymentMode=支払種別(コード) +LabelPaymentMode=支払種別(ラベル) PaymentModeShort=支払種別 PaymentTerm=支払条件 PaymentConditions=支払条件 @@ -120,17 +120,17 @@ DisabledBecauseRemainderToPayIsZero=未払残りがゼロであるため無効 PriceBase=価格ベース BillStatus=請求書の状況 StatusOfGeneratedInvoices=生成された請求書のステータス -BillStatusDraft=下書き(検証する必要がある) +BillStatusDraft=下書き(検証する必要がある) BillStatusPaid=有料 BillStatusPaidBackOrConverted=貸方表の払戻または利用可能なクレジットとしてマーク -BillStatusConverted=支払済(最終請求書で消費できる状態) +BillStatusConverted=支払済(最終請求書で消費できる状態) BillStatusCanceled=放棄された -BillStatusValidated=(支払する必要がある)を検証 +BillStatusValidated=(支払する必要がある)を検証 BillStatusStarted=開始 BillStatusNotPaid=未支払 BillStatusNotRefunded=未返金 -BillStatusClosedUnpaid=クローズ(無給) -BillStatusClosedPaidPartially=有料(一部) +BillStatusClosedUnpaid=クローズ(無給) +BillStatusClosedPaidPartially=有料(一部) BillShortStatusDraft=下書き BillShortStatusPaid=支払済 BillShortStatusPaidBackOrConverted=返金済または変換済 @@ -142,7 +142,7 @@ BillShortStatusStarted=開始済 BillShortStatusNotPaid=未支払 BillShortStatusNotRefunded=未返金 BillShortStatusClosedUnpaid=閉じた -BillShortStatusClosedPaidPartially=支払済(一部) +BillShortStatusClosedPaidPartially=支払済(一部) PaymentStatusToValidShort=検証するには ErrorVATIntraNotConfigured=コミュニティ内のVAT番号はまだ定義されていない ErrorNoPaiementModeConfigured=デフォルトの支払種別は定義されていない。これを修正するには、請求書モジュールのセットアップに移動。 @@ -151,7 +151,7 @@ ErrorBillNotFound=請求書%sは存在しない。 ErrorInvoiceAlreadyReplaced=エラー、請求書%sを置き換えるために請求書を検証しようとしました。しかし、これはすでに請求書%sに置き換えられている。 ErrorDiscountAlreadyUsed=既に使用されるエラー、割引 ErrorInvoiceAvoirMustBeNegative=エラーは、正しい請求書は、負の金額を持っている必要がある -ErrorInvoiceOfThisTypeMustBePositive=エラー、この種別の請求書には、正の税額(またはnull)を除いた金額が必要です +ErrorInvoiceOfThisTypeMustBePositive=エラー、この種別の請求書には、正の税額(またはnull)を除いた金額が必要です ErrorCantCancelIfReplacementInvoiceNotValidated=エラーは、下書きの状態のままで別の請求書に置き換えられている請求書を取り消すことはできない ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=この部分または別の部分はすでに使用されているため、割引シリーズを削除することはできない。 BillFrom=期初 @@ -184,14 +184,14 @@ ConfirmCancelBill=請求書をキャンセルしてもよいか%s ? ConfirmCancelBillQuestion=なぜこの請求書を「放棄」と分類したいのか? ConfirmClassifyPaidPartially=請求書%s を支払済のステータスに変更してもよいか? ConfirmClassifyPaidPartiallyQuestion=この請求書は完全には支払われていない。この請求書を閉じる理由は何ですか? -ConfirmClassifyPaidPartiallyReasonAvoir=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。私はVATを貸方表で正規化。 -ConfirmClassifyPaidPartiallyReasonDiscount=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。 -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。この割引でVATを失うことに同意。 -ConfirmClassifyPaidPartiallyReasonDiscountVat=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。この割引のVATは、貸方表なしで回収。 +ConfirmClassifyPaidPartiallyReasonAvoir=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。私はVATを貸方表で正規化。 +ConfirmClassifyPaidPartiallyReasonDiscount=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。 +ConfirmClassifyPaidPartiallyReasonDiscountNoVat=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。この割引でVATを失うことに同意。 +ConfirmClassifyPaidPartiallyReasonDiscountVat=残りの未払い(%s %s)は、期間前に支払が行われたために付与された割引。この割引のVATは、貸方表なしで回収。 ConfirmClassifyPaidPartiallyReasonBadCustomer=悪い顧客 ConfirmClassifyPaidPartiallyReasonProductReturned=製品は、部分的に返される ConfirmClassifyPaidPartiallyReasonOther=その他の理由で放棄された金額 -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=この選択は、請求書に適切なコメントが提供されている場合に可能。 (例«実際に支払われた価格に対応する税金のみが控除の権利を与える») +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=この選択は、請求書に適切なコメントが提供されている場合に可能。 (例«実際に支払われた価格に対応する税金のみが控除の権利を与える») ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=一部の国では、請求書に正しいメモが含まれている場合にのみ、この選択が可能になる場合がある。 ConfirmClassifyPaidPartiallyReasonAvoirDesc=他のすべてに適合しない場合は、この選択肢を使用して、 ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=悪い顧客とは、負債の支払を拒否する顧客。 @@ -207,8 +207,8 @@ UnvalidateBill=請求書を未検証に戻す NumberOfBills=請求書の数 NumberOfBillsByMonth=1か月あたりの請求書の数 AmountOfBills=請求書の金額 -AmountOfBillsHT=請求書の金額(税抜き) -AmountOfBillsByMonthHT=月別請求書の金額(税引後) +AmountOfBillsHT=請求書の金額(税抜き) +AmountOfBillsByMonthHT=月別請求書の金額(税引後) UseSituationInvoices=状況請求書を許可する UseSituationInvoicesCreditNote=状況請求書貸方表を許可する Retainedwarranty=保持保証 @@ -228,7 +228,7 @@ RetainedWarrantyDateLimit=保証期間の制限 RetainedWarrantyNeed100Percent=PDFに表示するには、状況請求書が100%%の進行状況である必要がある AlreadyPaid=既に支払済 AlreadyPaidBack=すでに払戻済 -AlreadyPaidNoCreditNotesNoDeposits=すでに支払済(貸方表と頭金 以外) +AlreadyPaidNoCreditNotesNoDeposits=すでに支払済(貸方表と頭金 以外) Abandoned=放棄済 RemainderToPay=未払まま RemainderToTake=残りの金額 @@ -237,10 +237,10 @@ Rest=保留中 AmountExpected=請求額 ExcessReceived=超過受領額 ExcessPaid=超過支払額 -EscompteOffered=提供される割引(前払) +EscompteOffered=提供される割引(前払) EscompteOfferedShort=割引 SendBillRef=請求書の提出%s -SendReminderBillRef=請求書の提出%s(リマインダー) +SendReminderBillRef=請求書の提出%s(リマインダー) NoDraftBills=下書きの請求なし NoOtherDraftBills=他の下書きの請求なし NoDraftInvoices=下書きの請求なし @@ -307,7 +307,7 @@ CreditNoteDepositUse=この種のクレジットを使用するには、請求 NewGlobalDiscount=新規絶対割引 NewRelativeDiscount=新規相対的な割引 DiscountType=割引種別 -NoteReason=(注)/理由 +NoteReason=(注)/理由 ReasonDiscount=理由 DiscountOfferedBy=によって付与された DiscountStillRemaining=利用可能な割引またはクレジット @@ -316,8 +316,8 @@ CustomerDiscounts=顧客割引 SupplierDiscounts=仕入先割引 BillAddress=ビル·住所 HelpEscompte=この割引は、支払が期間前に行われたために顧客に付与される割引。 -HelpAbandonBadCustomer=この金額は放棄されており(顧客は悪い顧客であると言われている)、例外的な損失と見なされる。 -HelpAbandonOther=この金額はエラーであったため放棄された(たとえば、間違った顧客または請求書が別のものに置き換えられました) +HelpAbandonBadCustomer=この金額は放棄されており(顧客は悪い顧客であると言われている)、例外的な損失と見なされる。 +HelpAbandonOther=この金額はエラーであったため放棄された(たとえば、間違った顧客または請求書が別のものに置き換えられました) IdSocialContribution=社会/財政納税ID PaymentId=支払番号 PaymentRef=支払参照 @@ -333,7 +333,7 @@ OrderBilled=請求済の注文 DonationPaid=寄付金を支払ました PaymentNumber=支払番号 RemoveDiscount=割引を削除 -WatermarkOnDraftBill=下書きの請求書上にウォーターマーク(空の場合はNothing) +WatermarkOnDraftBill=下書きの請求書上にウォーターマーク(空の場合はNothing) InvoiceNotChecked=ない請求書が選択されていない ConfirmCloneInvoice=この請求書のクローンを作成してもよいか%s ? DisabledBecauseReplacedInvoice=請求書が交換されたため、アクションを無効に @@ -411,9 +411,9 @@ PaymentCondition14D=14日間 PaymentConditionShort14DENDMONTH=月末の14日 PaymentCondition14DENDMONTH=月末から14日以内 FixAmount=固定金額-ラベル「%s」の1行 -VarAmount=可変量(%% tot。) -VarAmountOneLine=可変量(%% tot。)-ラベル「%s」の1行 -VarAmountAllLines=可変量(%% tot。)-すべて同じ行 +VarAmount=可変量(%% tot。) +VarAmountOneLine=可変量(%% tot。)-ラベル「%s」の1行 +VarAmountAllLines=可変量(%% tot。)-すべて同じ行 # PaymentType PaymentTypeVIR=銀行の転送 PaymentTypeShortVIR=銀行の転送 @@ -425,7 +425,7 @@ PaymentTypeCB=クレジットカード PaymentTypeShortCB=クレジットカード PaymentTypeCHQ=小切手 PaymentTypeShortCHQ=小切手 -PaymentTypeTIP=ヒント(支払に対する文書) +PaymentTypeTIP=ヒント(支払に対する文書) PaymentTypeShortTIP=ヒント支払 PaymentTypeVAD=オンライン支払 PaymentTypeShortVAD=オンライン支払 @@ -459,8 +459,8 @@ FullPhoneNumber=電話 TeleFax=ファックス PrettyLittleSentence=財政主管庁により承認された会計協会のメンバーとして私の名前で発行された小切手による支払の量を受け入れる。 IntracommunityVATNumber=コミュニティ内VATID -PaymentByChequeOrderedTo=小切手による支払(税込)は%sに支払う必要があり、 -PaymentByChequeOrderedToShort=小切手による支払(税込)は、 +PaymentByChequeOrderedTo=小切手による支払(税込)は%sに支払う必要があり、 +PaymentByChequeOrderedToShort=小切手による支払(税込)は、 SendTo=送り先 PaymentByTransferOnThisBankAccount=以下の銀行口座への振込による支払 VATIsNotUsedForInvoice=CGIの*非適用される付加価値税がart-293B @@ -509,7 +509,7 @@ RevenueStamp=税印紙 YouMustCreateInvoiceFromThird=このオプションは、取引先の"顧客"タブから請求書を作成する場合にのみ使用できる。 YouMustCreateInvoiceFromSupplierThird=このオプションは、取引先の"仕入先"タブから請求書を作成する場合にのみ使用できる。 YouMustCreateStandardInvoiceFirstDesc=最初に標準請求書を作成し、それを「テンプレート」に変換して、新規テンプレートの請求書を作成する必要がある -PDFCrabeDescription=請求書PDFテンプレートクレイブ。完全な請求書テンプレート(Spongeテンプレートの古い実装) +PDFCrabeDescription=請求書PDFテンプレートクレイブ。完全な請求書テンプレート(Spongeテンプレートの古い実装) PDFSpongeDescription=請求書PDFテンプレートスポンジ。完全な請求書テンプレート PDFCrevetteDescription=請求書PDFテンプレートクレベット。シチュエーション請求書の完全な請求書テンプレート TerreNumRefModelDesc1=戻る数値の書式は、標準請求書の場合は%syymm-nnnn、貸方表の場合は%syymm-nnnn、ここで yy は年、mm は月、nnnn は欠番なく連続した0に戻らない数値 @@ -534,7 +534,7 @@ InvoiceSituation=状況請求書 PDFInvoiceSituation=状況請求書 InvoiceSituationAsk=状況に応じた請求書 InvoiceSituationDesc=既存の状況に続いて新規状況を作成する -SituationAmount=状況請求額(純額) +SituationAmount=状況請求額(純額) SituationDeduction=状況減算 ModifyAllLines=すべての行を変更する CreateNextSituationInvoice=次の状況を作成する @@ -558,10 +558,10 @@ invoiceLineProgressError=請求書ラインの進行状況は、次の請求書 updatePriceNextInvoiceErrorUpdateline=エラー:請求書行の価格を更新:%s ToCreateARecurringInvoice=この契約の定期的な請求書を作成するには、最初にこの下書き請求書を作成し、次にそれを請求書テンプレートに変換して、将来の請求書を生成する頻度を定義。 ToCreateARecurringInvoiceGene=将来の請求書を定期的かつ手動で生成するには、メニュー %s --%s --%sに移動。 -ToCreateARecurringInvoiceGeneAuto=このような請求書を自動的に生成する必要がある場合は、管理者にモジュール %sを有効にしてセットアップするように依頼して。両方の方法(手動と自動)を一緒に使用すると、重複のリスクがないことに注意して。 +ToCreateARecurringInvoiceGeneAuto=このような請求書を自動的に生成する必要がある場合は、管理者にモジュール %sを有効にしてセットアップするように依頼して。両方の方法(手動と自動)を一緒に使用すると、重複のリスクがないことに注意して。 DeleteRepeatableInvoice=テンプレートの請求書を削除する ConfirmDeleteRepeatableInvoice=テンプレートの請求書を削除してもよいか? -CreateOneBillByThird=取引先ごとに1つの請求書を作成する(それ以外の場合は、注文ごとに1つの請求書を作成する) +CreateOneBillByThird=取引先ごとに1つの請求書を作成する(それ以外の場合は、注文ごとに1つの請求書を作成する) BillCreated=%s請求書(s)が作成された StatusOfGeneratedDocuments=ドキュメント生成のステータス DoNotGenerateDoc=ドキュメントファイルを生成しない diff --git a/htdocs/langs/ja_JP/bookmarks.lang b/htdocs/langs/ja_JP/bookmarks.lang index 5cc7c85d517..3c8c690c6b6 100644 --- a/htdocs/langs/ja_JP/bookmarks.lang +++ b/htdocs/langs/ja_JP/bookmarks.lang @@ -15,7 +15,7 @@ UrlOrLink=URL BehaviourOnClick=ブックマークURLを選択した場合の動作 CreateBookmark=ブックマークを作成。 SetHereATitleForLink=ブックマークの名前を設定 -UseAnExternalHttpLinkOrRelativeDolibarrLink=外部/絶対リンク (https://URL) または内部/相対リンク(/DOLIBARR_ROOT/htdocs/...)を使用 +UseAnExternalHttpLinkOrRelativeDolibarrLink=外部/絶対リンク (https://URL) または内部/相対リンク(/DOLIBARR_ROOT/htdocs/...)を使用 ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=リンクされたページを現在のタブで開くか、新規タブで開くかを選択 BookmarksManagement=ブックマークの管理 BookmarksMenuShortCut=Ctrl +シフト+ m diff --git a/htdocs/langs/ja_JP/boxes.lang b/htdocs/langs/ja_JP/boxes.lang index 48ec754be1b..cec54c4b84d 100644 --- a/htdocs/langs/ja_JP/boxes.lang +++ b/htdocs/langs/ja_JP/boxes.lang @@ -19,7 +19,7 @@ BoxLastContacts=最新の連絡先/住所 BoxLastMembers=最新のメンバー BoxFicheInter=最新の介入 BoxCurrentAccounts=口座残高 -BoxTitleMemberNextBirthdays=今月の誕生日(会員) +BoxTitleMemberNextBirthdays=今月の誕生日(会員) BoxTitleLastRssInfos=%sからの最新の%sニュース BoxTitleLastProducts=製品/サービス:最後に変更された%s BoxTitleProductsAlertStock=製品:在庫アラート @@ -47,7 +47,7 @@ BoxTitleLastModifiedExpenses=最新の%s変更された経費報告書 BoxTitleLatestModifiedBoms=最新の%s変更されたBOM BoxTitleLatestModifiedMos=最新の%s変更された製造オーダー BoxTitleLastOutstandingBillReached=最大未払い額を超えた顧客 -BoxGlobalActivity=グローバルアクティビティ(請求書、提案、注文) +BoxGlobalActivity=グローバルアクティビティ(請求書、提案、注文) BoxGoodCustomers=良い顧客 BoxTitleGoodCustomers=%s良い顧客 BoxScheduledJobs=スケジュールジョブ @@ -71,7 +71,7 @@ NoContractedProducts=ない製品/サービスは、契約しない NoRecordedContracts=全く記録された契約をしない NoRecordedInterventions=記録された介入はない BoxLatestSupplierOrders=最新の注文書 -BoxLatestSupplierOrdersAwaitingReception=最新の注文書(受付待ち) +BoxLatestSupplierOrdersAwaitingReception=最新の注文書(受付待ち) NoSupplierOrder=注文書は記録されていない BoxCustomersInvoicesPerMonth=1か月あたりの顧客の請求書 BoxSuppliersInvoicesPerMonth=1か月あたりの仕入先の請求書 @@ -94,7 +94,7 @@ ForProposals=提案 LastXMonthRolling=最新の %s 月ローリング ChooseBoxToAdd=ダッシュボードにウィジェットを追加する BoxAdded=ダッシュボードにウィジェットが追加された -BoxTitleUserBirthdaysOfMonth=今月の誕生日(ユーザー) +BoxTitleUserBirthdaysOfMonth=今月の誕生日(ユーザー) BoxLastManualEntries=会計の最後の手動入力 BoxTitleLastManualEntries=%s最新のマニュアルエントリ NoRecordedManualEntries=会計に手動入力の記録はない diff --git a/htdocs/langs/ja_JP/cashdesk.lang b/htdocs/langs/ja_JP/cashdesk.lang index 8970caa73d6..e3dac47b1ba 100644 --- a/htdocs/langs/ja_JP/cashdesk.lang +++ b/htdocs/langs/ja_JP/cashdesk.lang @@ -1,9 +1,9 @@ # Language file - Source file is en_US - cashdesk CashDeskMenu=販売時点 CashDesk=販売時点 -CashDeskBankCash=銀行口座(現金) -CashDeskBankCB=銀行口座(カード) -CashDeskBankCheque=銀行口座(チェック) +CashDeskBankCash=銀行口座(現金) +CashDeskBankCB=銀行口座(カード) +CashDeskBankCheque=銀行口座(チェック) CashDeskWarehouse=倉庫 CashdeskShowServices=販売サービス CashDeskProducts=製品 @@ -46,7 +46,7 @@ SearchProduct=製品を検索する Receipt=領収書 Header=ヘッダ Footer=フッター -AmountAtEndOfPeriod=期末の金額(日、月、または年) +AmountAtEndOfPeriod=期末の金額(日、月、または年) TheoricalAmount=理論量 RealAmount=実数 CashFence=現金出納帳の締め diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang index 3ab7139c3cb..dc3c74ec703 100644 --- a/htdocs/langs/ja_JP/categories.lang +++ b/htdocs/langs/ja_JP/categories.lang @@ -19,7 +19,7 @@ ProjectsCategoriesArea=プロジェクトタグ/カテゴリ領域 UsersCategoriesArea=ユーザータグ/カテゴリ領域 SubCats=サブカテゴリ CatList=タグ/カテゴリのリスト -CatListAll=タグ/カテゴリのリスト(すべての種別) +CatListAll=タグ/カテゴリのリスト(すべての種別) NewCategory=新規タグ/カテゴリ ModifCat=タグ/カテゴリを変更する CatCreated=作成されたタグ/カテゴリ diff --git a/htdocs/langs/ja_JP/commercial.lang b/htdocs/langs/ja_JP/commercial.lang index 79dba07e867..4aca0632553 100644 --- a/htdocs/langs/ja_JP/commercial.lang +++ b/htdocs/langs/ja_JP/commercial.lang @@ -1,80 +1,80 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=コマース +CommercialArea=コマースエリア Customer=顧客 -Customers=お客さま -Prospect=見通し -Prospects=見込み -DeleteAction=Delete an event -NewAction=New event -AddAction=Create event -AddAnAction=Create an event -AddActionRendezVous=Create a Rendez-vous event -ConfirmDeleteAction=Are you sure you want to delete this event? +Customers=顧客s +Prospect=見込 +Prospects=見込s +DeleteAction=イベントを削除 +NewAction=新規イベント +AddAction=イベントを作成 +AddAnAction=イベントを作成 +AddActionRendezVous=ランデブーイベントを作成 +ConfirmDeleteAction=このイベントを削除してもいいか? CardAction=イベントカード -ActionOnCompany=Related company -ActionOnContact=Related contact -TaskRDVWith=%sとの会談 -ShowTask=タスクを表示する +ActionOnCompany=関連法人 +ActionOnContact=関連連絡先 +TaskRDVWith=%sとの打合せ +ShowTask=タスクを表示 ShowAction=イベントを表示 ActionsReport=イベントレポート -ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Sales representatives of third party +ThirdPartiesOfSaleRepresentative=営業担当者との取引先 +SaleRepresentativesOfThirdParty=取引先の営業担当者 SalesRepresentative=営業担当者 SalesRepresentatives=営業担当者 -SalesRepresentativeFollowUp=営業担当者(フォローアップ) -SalesRepresentativeSignature=営業担当者(署名) -NoSalesRepresentativeAffected=特に営業担当者の影響を受けません -ShowCustomer=顧客を表示する +SalesRepresentativeFollowUp=営業担当者(フォローアップ) +SalesRepresentativeSignature=営業担当者(署名) +NoSalesRepresentativeAffected=特定の営業担当者は未割当 +ShowCustomer=顧客を表示 ShowProspect=見通しを示す ListOfProspects=見込み客リスト ListOfCustomers=顧客リスト -LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions +LastDoneTasks=最新の%s完了済アクション +LastActionsToDo=最も古い%sが未完了アクション DoneAndToDoActions=完了し、イベントを実行するには -DoneActions=完了イベント -ToDoActions=不完全なイベント -SendPropalRef=Submission of commercial proposal %s -SendOrderRef=Submission of order %s +DoneActions=完了済イベント +ToDoActions=未完了イベント +SendPropalRef=売買契約提案書%s の提出 +SendOrderRef=注文の提出%s StatusNotApplicable=適用されない StatusActionToDo=実行する StatusActionDone=完了する -StatusActionInProcess=プロセスの +StatusActionInProcess=処理中 TasksHistoryForThisContact=この連絡先のイベント -LastProspectDoNotContact=連絡しないでください -LastProspectNeverContacted=連絡しないでください -LastProspectToContact=連絡する -LastProspectContactInProcess=プロセスの連絡先 -LastProspectContactDone=行わ連絡 -ActionAffectedTo=イベントに影響を受けた -ActionDoneBy=することにより、イベントを行って +LastProspectDoNotContact=連絡しないこと +LastProspectNeverContacted=連絡未実施 +LastProspectToContact=連絡すること +LastProspectContactInProcess=連絡実施中 +LastProspectContactDone=連絡実施済 +ActionAffectedTo=イベントは割当済 +ActionDoneBy=イベントは実行済 ActionAC_TEL=電話 -ActionAC_FAX=FAXを送信 -ActionAC_PROP=メールで提案を送る +ActionAC_FAX=FAX送信 +ActionAC_PROP=メールで提案を送信 ActionAC_EMAIL=電子メールを送信 -ActionAC_EMAIL_IN=Reception of Email -ActionAC_RDV=ミーティング -ActionAC_INT=Intervention on site -ActionAC_FAC=メールでの顧客の請求書を送る -ActionAC_REL=メール(リマインダー)が顧客の請求書を送付 +ActionAC_EMAIL_IN=メールの受信 +ActionAC_RDV=打合せs +ActionAC_INT=現場での介入 +ActionAC_FAC=メールでの顧客の請求書を送信 +ActionAC_REL=メール(リマインダー)が顧客の請求書を送付 ActionAC_CLO=閉じる ActionAC_EMAILING=大量メールを送信 -ActionAC_COM=Send sales order by mail -ActionAC_SHIP=メールでの発送を送る -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +ActionAC_COM=メールで販売注文を送信 +ActionAC_SHIP=メールでの発送を送信 +ActionAC_SUP_ORD=メールで注文書を送信 +ActionAC_SUP_INV=ベンダーの請求書をメールで送信 ActionAC_OTH=その他 -ActionAC_OTH_AUTO=Automatically inserted events -ActionAC_MANUAL=Manually inserted events -ActionAC_AUTO=Automatically inserted events -ActionAC_OTH_AUTOShort=Auto -Stats=Sales statistics -StatusProsp=見通しの状態 -DraftPropals=ドラフト商業の提案 -NoLimit=No limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome to the page to accept commercial proposals from %s -ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commercial proposal %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +ActionAC_OTH_AUTO=自動的に挿入されるイベント +ActionAC_MANUAL=手動で挿入されたイベント +ActionAC_AUTO=自動的に挿入されるイベント +ActionAC_OTH_AUTOShort=自動 +Stats=販売統計 +StatusProsp=見込の状態 +DraftPropals=売買契約提案書の下書き +NoLimit=制限なし +ToOfferALinkForOnlineSignature=オンライン署名へのリンク +WelcomeOnOnlineSignaturePage=%sからの売買契約提案書sを受諾するページへようこそ +ThisScreenAllowsYouToSignDocFrom=この画面では、見積書/売買契約提案書を受諾して署名するか、拒否することができる +ThisIsInformationOnDocumentToSign=これは、承認または拒否するドキュメントに関する情報です。 +SignatureProposalRef=見積書/売買契約提案書%s の署名 +FeatureOnlineSignDisabled=オンライン署名の機能が無効になっているか、機能が有効になる前にドキュメントが生成されました diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang index 079eacaf90c..536e29cf292 100644 --- a/htdocs/langs/ja_JP/companies.lang +++ b/htdocs/langs/ja_JP/companies.lang @@ -291,10 +291,10 @@ HasAbsoluteDiscountFromSupplier=この仕入先から、%s %s 相当の HasDownPaymentOrCommercialDiscountFromSupplier=この仕入先から、 %s %s 相当の割引が可能 (現金値引、頭金充当) HasCreditNoteFromSupplier=この仕入先から、%s %s相当の返金確約があり CompanyHasNoAbsoluteDiscount=この顧客は、使用可能な割引クレジットを持っていません -CustomerAbsoluteDiscountAllUsers=絶対顧客割引(すべてのユーザーで付与) -CustomerAbsoluteDiscountMy=絶対顧客割引(自身で付与) -SupplierAbsoluteDiscountAllUsers=絶対仕入先割引(すべてのユーザーで入力) -SupplierAbsoluteDiscountMy=絶対仕入先割引(自分で入力) +CustomerAbsoluteDiscountAllUsers=絶対顧客割引(すべてのユーザーで付与) +CustomerAbsoluteDiscountMy=絶対顧客割引(自身で付与) +SupplierAbsoluteDiscountAllUsers=絶対仕入先割引(すべてのユーザーで入力) +SupplierAbsoluteDiscountMy=絶対仕入先割引(自分で入力) DiscountNone=なし Vendor=仕入先 Supplier=仕入先 @@ -332,7 +332,7 @@ ListOfContactsAddresses=連絡先s/住所sの一覧 ListOfThirdParties=取引先s一覧 ShowCompany=取引先 ShowContact=連絡先-住所 -ContactsAllShort=すべて(フィルタなし) +ContactsAllShort=すべて(フィルタなし) ContactType=連絡先種別 ContactForOrders=注文の連絡先 ContactForOrdersOrShipments=注文または配送の連絡先 @@ -352,11 +352,11 @@ CapitalOf=%sの首都 EditCompany=会社を編集します。 ThisUserIsNot=このユーザは見込客でも、顧客でも、仕入先でもない VATIntraCheck=チェック -VATIntraCheckDesc=VAT IDには、国のプレフィックスを含めることが必要。リンク%s は、欧州VATチェッカーサービス(VIES)を使用し、そのためにはDolibarrサーバーからのインターネットアクセスが必要。 +VATIntraCheckDesc=VAT IDには、国のプレフィックスを含めることが必要。リンク%s は、欧州VATチェッカーサービス(VIES)を使用し、そのためにはDolibarrサーバーからのインターネットアクセスが必要。 VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do VATIntraCheckableOnEUSite=欧州委員会のウェブサイトでコミュニティ間のVAT IDを確認 VATIntraManualCheck=欧州委員会のウェブサイト%sで手動で確認可能 -ErrorVATCheckMS_UNAVAILABLE=ことはできませんを確認してください。サービスは加盟国(%s)によって提供されていません確認してください。 +ErrorVATCheckMS_UNAVAILABLE=ことはできませんを確認してください。サービスは加盟国(%s)によって提供されていません確認してください。 NorProspectNorCustomer=見込客でない、顧客でない JuridicalStatus=事業体種別 Workforce=労働力 @@ -446,7 +446,7 @@ LeopardNumRefModelDesc=顧客/サプライヤーコードは無料です。こ ManagingDirectors=管理職(s)名称 (CEO, 部長, 社長...) MergeOriginThirdparty=重複する取引先 (削除したい取引先) MergeThirdparties=仕入先sを集約 -ConfirmMergeThirdparties=この取引先を現在の取引先に融合したいのね、いいよね?リンクされたすべてのオブジェクト(請求書、注文など...)は現在の取引先に移動され、この取引先には削除されるよ。 +ConfirmMergeThirdparties=この取引先を現在の取引先に融合したいのね、いいよね?リンクされたすべてのオブジェクト(請求書、注文など...)は現在の取引先に移動され、この取引先には削除されるよ。 ThirdpartiesMergeSuccess=仕入先sは集約済み SaleRepresentativeLogin=販売担当者のログイン SaleRepresentativeFirstname=販売担当者の姓名の名 diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang index df3a1078018..379785639bb 100644 --- a/htdocs/langs/ja_JP/compta.lang +++ b/htdocs/langs/ja_JP/compta.lang @@ -5,9 +5,9 @@ TaxModuleSetupToModifyRulesLT=法人設定に移動して、計 OptionMode=会計のためのオプション OptionModeTrue=オプション 収益・費用 OptionModeVirtual=オプション 債権・債務 -OptionModeTrueDesc=この文脈では、売上高は、支払(支払日)に渡って計算される。この数値の妥当性は、簿記の記帳が請求書を経由して勘定科目に 入/出 していると精査されている場合にのみ保証される。 -OptionModeVirtualDesc=この文脈では、売上高は、請求書(検証日)に渡って計算される。これらの請求書が期日になると、支払いが済んでいるかどうかに関わらず、売上高の出力に記載される。 -FeatureIsSupportedInInOutModeOnly=​​債権・債務の会計モードでのみ使用可能な機能(会計モジュール設定を参照すること) +OptionModeTrueDesc=この文脈では、売上高は、支払(支払日)に渡って計算される。この数値の妥当性は、簿記の記帳が請求書を経由して勘定科目に 入/出 していると精査されている場合にのみ保証される。 +OptionModeVirtualDesc=この文脈では、売上高は、請求書(検証日)に渡って計算される。これらの請求書が期日になると、支払いが済んでいるかどうかに関わらず、売上高の出力に記載される。 +FeatureIsSupportedInInOutModeOnly=​​債権・債務の会計モードでのみ使用可能な機能(会計モジュール設定を参照すること) VATReportBuildWithOptionDefinedInModule=ここに示されている金額は税モジュール設定によって定義されたルールを使用して計算される。 LTReportBuildWithOptionDefinedInModule=ここに表示されている金額は、法人の設定で定義されたルールを使用して計算されている。 Param=設定 @@ -25,7 +25,7 @@ PaymentsNotLinkedToInvoice=任意の請求書にリンクされていない支 PaymentsNotLinkedToUser=すべてのユーザーにリンクされていない支払 Profit=利益 AccountingResult=会計結果 -BalanceBefore=残高(前) +BalanceBefore=残高(前) Balance=残高 Debit=借方 Credit=貸方 @@ -111,7 +111,7 @@ Refund=払戻 SocialContributionsPayments=社会/財政税支払 ShowVatPayment=付加価値税支払を表示する TotalToPay=支払に合計 -BalanceVisibilityDependsOnSortAndFilters=残高は、テーブルが%sで並べ替えられ、1つの銀行口座でフィルタリングされている場合にのみこのリストに表示される(他のフィルタはない) +BalanceVisibilityDependsOnSortAndFilters=残高は、テーブルが%sで並べ替えられ、1つの銀行口座でフィルタリングされている場合にのみこのリストに表示される(他のフィルタはない) CustomerAccountancyCode=顧客会計コード SupplierAccountancyCode=ベンダー会計コード CustomerAccountancyCodeShort=カスト。アカウント。コード @@ -227,8 +227,8 @@ TurnoverPerProductInCommitmentAccountingNotRelevant=製品ごとに回収済売 TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=売却税率ごとに回収済売上高のレポートは利用できない。このレポートは、請求済売上高に対してのみ使用できる。 CalculationMode=計算モード AccountancyJournal=会計コードジャーナル -ACCOUNTING_VAT_SOLD_ACCOUNT=販売時のVATのデフォルトの会計アカウント(VATディクショナリの設定で定義されていない場合に使用) -ACCOUNTING_VAT_BUY_ACCOUNT=購入時のVATのデフォルトの会計アカウント(VATディクショナリ設定で定義されていない場合に使用) +ACCOUNTING_VAT_SOLD_ACCOUNT=販売時のVATのデフォルトの会計アカウント(VATディクショナリの設定で定義されていない場合に使用) +ACCOUNTING_VAT_BUY_ACCOUNT=購入時のVATのデフォルトの会計アカウント(VATディクショナリ設定で定義されていない場合に使用) ACCOUNTING_VAT_PAY_ACCOUNT=VATを支払うためのデフォルトの会計アカウント ACCOUNTING_ACCOUNT_CUSTOMER=顧客の第三者に使用される会計アカウント ACCOUNTING_ACCOUNT_CUSTOMER_Desc=サードパーティカードで定義された専用の会計アカウントは、補助元帳の会計にのみ使用される。これは総勘定元帳に使用され、サードパーティの専用顧客会計勘定が定義されていない場合は補助元帳会計のデフォルト値として使用される。 @@ -237,7 +237,7 @@ ACCOUNTING_ACCOUNT_SUPPLIER_Desc=サードパーティカードで定義され ConfirmCloneTax=社会税/財政税のクローンを確認する CloneTaxForNextMonth=来月のためにそれをクローンする SimpleReport=簡単なレポート -AddExtraReport=追加レポート(海外および国内の顧客レポートを追加) +AddExtraReport=追加レポート(海外および国内の顧客レポートを追加) OtherCountriesCustomersReport=外国の顧客の報告 BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=自法人の国コードとは異なるVAT番号の最初の2文字に基づく SameCountryCustomersWithVAT=全国の顧客レポート diff --git a/htdocs/langs/ja_JP/contracts.lang b/htdocs/langs/ja_JP/contracts.lang index c20e279a29d..869f8fe95be 100644 --- a/htdocs/langs/ja_JP/contracts.lang +++ b/htdocs/langs/ja_JP/contracts.lang @@ -35,8 +35,8 @@ ActivateAllOnContract=すべてのサービスをアクティブ化する CloseAContract=契約を閉じる ConfirmDeleteAContract=こ契約とそのすべてのサービスを削除してもよいか? ConfirmValidateContract=こ契約を%s という名前で検証してもよいか? -ConfirmActivateAllOnContract=これにより、すべてのサービスが開く(まだアクティブではない)。すべてのサービスを開始してもよいか? -ConfirmCloseContract=これにより、すべてのサービスが閉じられる(アクティブでもなくても)。こ契約を終了してもよいか? +ConfirmActivateAllOnContract=これにより、すべてのサービスが開く(まだアクティブではない)。すべてのサービスを開始してもよいか? +ConfirmCloseContract=これにより、すべてのサービスが閉じられる(アクティブでもなくても)。こ契約を終了してもよいか? ConfirmCloseService=日付%s でこのサービスを終了してもよいか? ValidateAContract=契約を検証 ActivateService=サービスをアクティブ化 @@ -49,7 +49,7 @@ ListOfInactiveServices=非アクティブサービスリスト ListOfExpiredServices=失効済アクティブサービスリスト ListOfClosedServices=クローズドサービスリスト ListOfRunningServices=実行中サービスリスト -NotActivatedServices=非アクティブなサービス(検証済み契約の中で) +NotActivatedServices=非アクティブなサービス(検証済み契約の中で) BoardNotActivatedServices=検証済み契約の中でアクティブにするサービス BoardNotActivatedServicesShort=アクティベートするサービス LastContracts=最新の%s契約 @@ -78,8 +78,8 @@ DeleteContractLine=契約の行を削除する ConfirmDeleteContractLine=こ契約行を削除してもよいか? MoveToAnotherContract=別契約にサービスを移動する。 ConfirmMoveToAnotherContract=私は、新規ターゲット契約を選びましたし、私はこ契約には、このサービスを移動することを確認する。 -ConfirmMoveToAnotherContractQuestion=このサービスを移動する(同じサードパーティの)既存契約を選択するか? -PaymentRenewContractId=契約回線(番号の%s)を​​更新 +ConfirmMoveToAnotherContractQuestion=このサービスを移動する(同じサードパーティの)既存契約を選択するか? +PaymentRenewContractId=契約回線(番号の%s)を​​更新 ExpiredSince=有効期限の日付 NoExpiredServices=失効済アクティブサービス無し ListOfServicesToExpireWithDuration=%s日で失効済になるサービスリスト diff --git a/htdocs/langs/ja_JP/cron.lang b/htdocs/langs/ja_JP/cron.lang index 317f2f0d8c4..0a94274deb6 100644 --- a/htdocs/langs/ja_JP/cron.lang +++ b/htdocs/langs/ja_JP/cron.lang @@ -12,7 +12,7 @@ OrToLaunchASpecificJob=または、ブラウザから特定のジョブを確認 KeyForCronAccess=cronジョブを起動するためのURLのセキュリティキー FileToLaunchCronJobs=修飾されたcronジョブをチェックして起動するコマンドライン CronExplainHowToRunUnix=Unix環境では、次のcrontabエントリを使用して、5分ごとにコマンドラインを実行する必要がある。 -CronExplainHowToRunWin=Microsoft(tm)Windows環境では、スケジュールされたタスクツールを使用して、5分ごとにコマンドラインを実行できる。 +CronExplainHowToRunWin=Microsoft(tm)Windows環境では、スケジュールされたタスクツールを使用して、5分ごとにコマンドラインを実行できる。 CronMethodDoesNotExists=クラス%sには、メソッド%sが含まれていない。 CronMethodNotAllowed=クラス%sのメソッド%sは、禁止されているメソッドのブラックリストに含まれています CronJobDefDesc=cronジョブプロファイルは、モジュール記述子ファイルに定義されています。モジュールがアクティブ化されると、それらがロードされて使用可能になるため、管理ツールメニュー%sからジョブを管理できる。 @@ -76,7 +76,7 @@ CronFrom=から CronType=職種 CronType_method=PHPクラスの呼び出しメソッド CronType_command=シェルコマンド -CronCannotLoadClass=クラスファイル%sをロードできない(クラス%sを使用するため) +CronCannotLoadClass=クラスファイル%sをロードできない(クラス%sを使用するため) CronCannotLoadObject=クラスファイル%sがロードされたが、オブジェクト%sが見つからなかった UseMenuModuleToolsToAddCronJobs=メニュー ”ホーム - 管理ツール - スケジュールされたジョブ" に移動して、スケジュールされたジョブを表示および編集する。 JobDisabled=ジョブが無効 diff --git a/htdocs/langs/ja_JP/dict.lang b/htdocs/langs/ja_JP/dict.lang index a699de6b8fe..38dbf01c4e3 100644 --- a/htdocs/langs/ja_JP/dict.lang +++ b/htdocs/langs/ja_JP/dict.lang @@ -11,17 +11,17 @@ CountryUK=イギリス CountryIE=アイルランド CountryCN=中国 CountryTN=チュニジア -CountryUS=、米国 +CountryUS=米国 CountryMA=モロッコ CountryDZ=アルジェリア -CountryCA=カナダの +CountryCA=カナダ CountryTG=トーゴ CountryGA=ガボン CountryNL=オランダ CountryHU=ハンガリー CountryRU=ロシア CountrySE=スウェーデン -CountryCI=Ivoiryコースト +CountryCI=コートジボワール CountrySN=セネガル CountryAR=アルゼンチン CountryCM=カメルーン @@ -69,7 +69,7 @@ CountryCF=中央アフリカ共和国 CountryTD=チャド CountryCL=チリ CountryCX=クリスマス島 -CountryCC=ココス(キーリング)諸島 +CountryCC=ココス(キーリング)諸島 CountryCO=コロンビア CountryKM=コモロ CountryCG=コンゴ @@ -113,17 +113,17 @@ CountryGW=ギニアビサウ CountryGY=ガイアナ CountryHT=ハイチ CountryHM=ハード島とマクドナルド -CountryVA=ローマ法王庁(バチカン市国) +CountryVA=ローマ法王庁(バチカン市国) CountryHN=ホンジュラス CountryHK=香港 -CountryIS=Iceland +CountryIS=アイスランド CountryIN=インド CountryID=インドネシア CountryIR=イラン CountryIQ=イラク CountryIL=イスラエル CountryJM=ジャマイカ -CountryJP=日本の +CountryJP=日本 CountryJO=ヨルダン CountryKZ=カザフスタン CountryKE=ケニア @@ -131,7 +131,7 @@ CountryKI=キリバス CountryKP=北朝鮮 CountryKR=韓国 CountryKW=クウェート -CountryKG=Kyrgyzstan +CountryKG=キルギス CountryLA=ラオ語 CountryLV=ラトビア CountryLB=レバノン @@ -147,7 +147,7 @@ CountryMG=マダガスカル CountryMW=マラウイ CountryMY=マレーシア CountryMV=モルディブ -CountryML=庭師 +CountryML=マリ CountryMT=マルタ CountryMH=マーシャル諸島共和国 CountryMQ=マルティニーク島 @@ -160,7 +160,7 @@ CountryMD=モルドバ CountryMN=モンゴル国 CountryMS=モントセラト CountryMZ=モザンビーク -CountryMM=Myanmar (Burma) +CountryMM=ミャンマー (ビルマ) CountryNA=ナミビア CountryNR=ナウル CountryNP=ネパール @@ -212,7 +212,7 @@ CountrySD=スーダン CountrySR=スリナム CountrySJ=スバールバル諸島ヤンマイエン島 CountrySZ=スワジランド -CountrySY=シリアの +CountrySY=シリア CountryTW=台湾 CountryTJ=タジキスタン CountryTZ=タンザニア @@ -223,7 +223,7 @@ CountryTO=トンガ CountryTT=トリニダードトバゴ CountryTR=トルコ CountryTM=トルクメニスタン -CountryTC=Turks and Caicos Islands +CountryTC=タークス・カイコス諸島 CountryTV=ツバル CountryUG=ウガンダ CountryUA=ウクライナ @@ -250,24 +250,24 @@ CountryMF=サンマルタン島 ##### Civilities ##### CivilityMME=ミセス -CivilityMR=氏 -CivilityMLE=さん +CivilityMR=ミスター +CivilityMLE=ミズ CivilityMTRE=マスタ -CivilityDR=医師 +CivilityDR=ドクター ##### Currencies ##### Currencyeuros=ユーロ -CurrencyAUD=AUドル -CurrencySingAUD=AUドル -CurrencyCAD=ドルは、CAN -CurrencySingCAD=ドルは、CAN +CurrencyAUD=豪ドルs +CurrencySingAUD=豪ドル +CurrencyCAD=カナダドルs +CurrencySingCAD=カナダドル CurrencyCHF=スイスフラン CurrencySingCHF=スイスフラン CurrencyEUR=ユーロ CurrencySingEUR=ユーロ CurrencyFRF=フランスのフラン CurrencySingFRF=フランスフラン -CurrencyGBP=GBのポンド -CurrencySingGBP=ギガバイトポンド +CurrencyGBP=英ポンドs +CurrencySingGBP=英ポンド CurrencyINR=インドルピー CurrencySingINR=インドルピー CurrencyMAD=ディルハム @@ -276,12 +276,12 @@ CurrencyMGA=アリアリ CurrencySingMGA=アリアリ CurrencyMUR=モーリシャスルピー CurrencySingMUR=モーリシャスルピー -CurrencyNOK=ノルウェークローネ -CurrencySingNOK=Norwegian kronas +CurrencyNOK=ノルウェークローネs +CurrencySingNOK=ノルウェークローネ CurrencyTND=チュニジアディナール CurrencySingTND=チュニジアディナール -CurrencyUSD=米ドル -CurrencySingUSD=アメリカドル +CurrencyUSD=米ドルs +CurrencySingUSD=米ドル CurrencyUAH=グリブナ CurrencySingUAH=グリブナ CurrencyXAF=CFAフランBEAC @@ -290,11 +290,11 @@ CurrencyXOF=CFAフランBCEAO CurrencySingXOF=CFAフランBCEAO CurrencyXPF=CFPフラン CurrencySingXPF=CFPフラン -CurrencyCentEUR=cents +CurrencyCentEUR=セントs CurrencyCentSingEUR=セント CurrencyCentINR=パイサ -CurrencyCentSingINR=パイサ(複数) -CurrencyThousandthSingTND=ミリーム +CurrencyCentSingINR=パイサ(複数) +CurrencyThousandthSingTND=千分の一 #### Input reasons ##### DemandReasonTypeSRC_INTE=インターネット DemandReasonTypeSRC_CAMP_MAIL=メーリングキャンペーン @@ -307,7 +307,7 @@ DemandReasonTypeSRC_WOM=口頭 DemandReasonTypeSRC_PARTNER=パートナー DemandReasonTypeSRC_EMPLOYEE=従業員 DemandReasonTypeSRC_SPONSORING=後援 -DemandReasonTypeSRC_SRC_CUSTOMER=Incoming contact of a customer +DemandReasonTypeSRC_SRC_CUSTOMER=顧客からのコンタクト #### Paper formats #### PaperFormatEU4A0=4A0 用紙 PaperFormatEU2A0=2A0 用紙 @@ -329,9 +329,9 @@ PaperFormatCAP4=P4 カナダ用紙 PaperFormatCAP5=P5 カナダ用紙 PaperFormatCAP6=P6 カナダ用紙 #### Expense report categories #### -ExpAutoCat=Car -ExpCycloCat=Moped -ExpMotoCat=Motorbike +ExpAutoCat=自動車 +ExpCycloCat=スクーター +ExpMotoCat=オートバイ ExpAuto3CV=3 CV ExpAuto4CV=4 CV ExpAuto5CV=5 CV @@ -353,7 +353,7 @@ ExpAuto10PCV=10 CV and more ExpAuto11PCV=11 CV and more ExpAuto12PCV=12 CV and more ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 +ExpCyclo=最小容量は50cc ExpMoto12CV=Motorbike 1 or 2 CV ExpMoto345CV=Motorbike 3, 4 or 5 CV ExpMoto5PCV=Motorbike 5 CV and more diff --git a/htdocs/langs/ja_JP/ecm.lang b/htdocs/langs/ja_JP/ecm.lang index db8e84a3e50..cd0cf844f89 100644 --- a/htdocs/langs/ja_JP/ecm.lang +++ b/htdocs/langs/ja_JP/ecm.lang @@ -15,7 +15,7 @@ ECMNbOfSubDir=サブディレクトリの数 ECMNbOfFilesInSubDir=サブディレクトリ内のファイルの数 ECMCreationUser=クリエイター ECMArea=DMS / ECMエリア -ECMAreaDesc=DMS / ECM(ドキュメント管理システム/電子コンテンツ管理)エリアでは、Dolibarr内のあらゆる種類のドキュメントをすばやく保存、共有、検索できる。 +ECMAreaDesc=DMS / ECM(ドキュメント管理システム/電子コンテンツ管理)エリアでは、Dolibarr内のあらゆる種類のドキュメントをすばやく保存、共有、検索できる。 ECMAreaDesc2=要素のカードからドキュメントを追加するときに*自動ディレクトリは自動的に入力される。
*マニュアルのディレクトリは、特定の要素にリンクされていないドキュメントを保存するために使用することができる。 ECMSectionWasRemoved=ディレクトリの%sが削除されている。 ECMSectionWasCreated=ディレクトリ%sが作成された。 @@ -37,7 +37,7 @@ DirNotSynchronizedSyncFirst=このディレクトリは、ECMモジュールの ReSyncListOfDir=ディレクトリのリストを再同期する HashOfFileContent=ファイルコンテンツのハッシュ NoDirectoriesFound=ディレクトリが見つからない -FileNotYetIndexedInDatabase=ファイルはまだデータベースにインデックス付けされていない(再アップロードしてみること) +FileNotYetIndexedInDatabase=ファイルはまだデータベースにインデックス付けされていない(再アップロードしてみること) ExtraFieldsEcmFiles=ExtrafieldsEcmファイル ExtraFieldsEcmDirectories=ExtrafieldsEcmディレクトリ ECMSetup=ECMセットアップ diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index 29a6a5b5dc5..40d07d1e85b 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -5,7 +5,7 @@ NoErrorCommitIsDone=エラーなし、コミットする # Errors ErrorButCommitIsDone=エラーが見つかったが、これにもかかわらず検証する ErrorBadEMail=メール%sが間違っている -ErrorBadMXDomain=メール%sが間違っているようだ(ドメインに有効なMXレコードがない) +ErrorBadMXDomain=メール%sが間違っているようだ(ドメインに有効なMXレコードがない) ErrorBadUrl=URLの%sが間違っている ErrorBadValueForParamNotAString=パラメータ の値が正しくない。通常、翻訳が欠落している場合に追加される。 ErrorRefAlreadyExists=参照%sはすでに存在する。 @@ -40,22 +40,22 @@ ErrorSupplierCodeAlreadyUsed=すでに使用されているベンダーコード ErrorBadParameters=パラメータ が不正で ErrorWrongParameters=パラメータ が間違っているか欠落している ErrorBadValueForParameter=パラメータ "%s" の値 "%s" が間違っている -ErrorBadImageFormat=画像ファイルはサポートされている形式ではない(PHPはこの形式の画像を変換する関数をサポートしていない) +ErrorBadImageFormat=画像ファイルはサポートされている形式ではない(PHPはこの形式の画像を変換する関数をサポートしていない) ErrorBadDateFormat=値 '%s'に間違った日付の形式になっている ErrorWrongDate=日付が正しくない! ErrorFailedToWriteInDir=ディレクトリ%sの書き込みに失敗した -ErrorFoundBadEmailInFile=ファイル内の%s線の発見誤った電子メールのシンタックス(電子メール= %sを使用したサンプルライン%s) +ErrorFoundBadEmailInFile=ファイル内の%s線の発見誤った電子メールのシンタックス(電子メール= %sを使用したサンプルライン%s) ErrorUserCannotBeDelete=ユーザーを削除することはできない。多分それはDolibarrエンティティに関連付けられている。 ErrorFieldsRequired=いくつかの必須フィールドが満たされていなかった。 ErrorSubjectIsRequired=メールトピックが必要だ -ErrorFailedToCreateDir=ディレクトリの作成に失敗した。そのWebサーバのユーザがDolibarrのドキュメントディレクトリに書き込む権限を持って確認すること。パラメータ のsafe_modeがこのPHPが有効になっている場合、Dolibarr PHPファイルは、Webサーバーのユーザー(またはグループ)に所有していることを確認すること。 +ErrorFailedToCreateDir=ディレクトリの作成に失敗した。そのWebサーバのユーザがDolibarrのドキュメントディレクトリに書き込む権限を持って確認すること。パラメータ のsafe_modeがこのPHPが有効になっている場合、Dolibarr PHPファイルは、Webサーバーのユーザー(またはグループ)に所有していることを確認すること。 ErrorNoMailDefinedForThisUser=このユーザーに定義されたメールはない ErrorSetupOfEmailsNotComplete=メールの設定が完了していない ErrorFeatureNeedJavascript=この機能が動作するようにアクティブにするjavascriptをする必要がある。セットアップでこれを変更 - 表示される。 ErrorTopMenuMustHaveAParentWithId0=タイプは 'top'のメニューが親メニューを持つことはできない。親メニューに0を置くか、または型 "左"のメニューを選択する。 ErrorLeftMenuMustHaveAParentId=タイプ "左"のメニューは、親IDを持つ必要がある。 -ErrorFileNotFound=ファイルが見つかりませんでし%s(PHP openbasedirまたはセーフモードパラメータ によって拒否された不正なパスが、間違ったパーミッションやアクセス) -ErrorDirNotFound=ディレクトリが見つかりません%s(PHP openbasedirまたはセーフモードパラメータ によって拒否された不正なパスが、間違ったパーミッションやアクセス) +ErrorFileNotFound=ファイルが見つかりませんでし%s(PHP openbasedirまたはセーフモードパラメータ によって拒否された不正なパスが、間違ったパーミッションやアクセス) +ErrorDirNotFound=ディレクトリが見つかりません%s(PHP openbasedirまたはセーフモードパラメータ によって拒否された不正なパスが、間違ったパーミッションやアクセス) ErrorFunctionNotAvailableInPHP=関数%sは、この機能を使用するために必要となるが、このバージョンの/ PHPのセットアップでは使用できない。 ErrorDirAlreadyExists=この名前のディレクトリがすでに存在している。 ErrorFileAlreadyExists=この名前を持つファイルがすでに存在している。 @@ -64,8 +64,8 @@ ErrorNoTmpDir=一時的なdirectyの%sが存在しません。 ErrorUploadBlockedByAddon=PHP / Apacheプラグインによってブロックされてアップロードする。 ErrorFileSizeTooLarge=ファイルサイズが大きすぎる。 ErrorFieldTooLong=フィールド%sが長すぎる。 -ErrorSizeTooLongForIntType=(%s桁の最大値)int型に対して長すぎるサイズ -ErrorSizeTooLongForVarcharType=文字列型(%s文字最大)長すぎるサイズ +ErrorSizeTooLongForIntType=(%s桁の最大値)int型に対して長すぎるサイズ +ErrorSizeTooLongForVarcharType=文字列型(%s文字最大)長すぎるサイズ ErrorNoValueForSelectType=選択リストの値を入力すること ErrorNoValueForCheckBoxType=チェックボックスリストの値を入力すること ErrorNoValueForRadioType=ラジオリストの値を入力すること @@ -79,7 +79,7 @@ ErrorLDAPSetupNotComplete=Dolibarr-LDAPのマッチングは完全ではない ErrorLDAPMakeManualTest=.ldifファイルは、ディレクトリ%sで生成された。エラーの詳細情報を持つようにコマンドラインから手動でそれをロードしようとする。 ErrorCantSaveADoneUserWithZeroPercentage= "doneby" フィールドも入力されている場合、 "statusnotstarted" のアクションを保存できない。 ErrorRefAlreadyExists=参照%sはすでに存在する。 -ErrorPleaseTypeBankTransactionReportName=エントリを報告する必要のある銀行取引明細書名を入力すること(フォーマットYYYYMMまたはYYYYMMDD) +ErrorPleaseTypeBankTransactionReportName=エントリを報告する必要のある銀行取引明細書名を入力すること(フォーマットYYYYMMまたはYYYYMMDD) ErrorRecordHasChildren=子レコードがいくつかあるため、レコードの削除に失敗した。 ErrorRecordHasAtLeastOneChildOfType=オブジェクトには、タイプ%sの子が少なくとも1つある ErrorRecordIsUsedCantDelete=レコードを削除できない。すでに使用されているか、別のオブジェクトに含まれている。 @@ -90,9 +90,9 @@ ErrorWrongValueForField=フィールド%s : ' %s ' は、正規 ErrorFieldValueNotIn=フィールド %s : ' %s ' が値が %s %s の分野では見られません ErrorFieldRefNotIn=フィールド%s : ' %s' は存在する %s 参照ではない ErrorsOnXLines=%sエラーが見つかった -ErrorFileIsInfectedWithAVirus=ウイルス対策プログラムがファイルを検証することができなかった(ファイルがウイルスに感染されるかもしれない) +ErrorFileIsInfectedWithAVirus=ウイルス対策プログラムがファイルを検証することができなかった(ファイルがウイルスに感染されるかもしれない) ErrorSpecialCharNotAllowedForField=特殊文字は、フィールド "%s"に許可されていない -ErrorNumRefModel=参照は、データベース(%s)に存在し、この番号規則と互換性がない。レコードを削除するか、このモジュールを有効にするために参照を変更した。 +ErrorNumRefModel=参照は、データベース(%s)に存在し、この番号規則と互換性がない。レコードを削除するか、このモジュールを有効にするために参照を変更した。 ErrorQtyTooLowForThisSupplier=このベンダーの数量が少なすぎるか、このベンダーのこの製品に価格が定義されていない ErrorOrdersNotCreatedQtyTooLow=数量が少なすぎるため、一部の注文が作成されていない ErrorModuleSetupNotComplete=モジュール%sのセットアップが完了していないようだ。ホーム-セットアップ-モジュールに移動して完了する。 @@ -108,7 +108,7 @@ ErrorFailedToSendPassword=パスワードの送信に失敗した ErrorFailedToLoadRSSFile=RSSフィードの取得に失敗した。エラーメッセージが十分な情報を提供していない場合は定数MAIN_SIMPLEXMLLOAD_DEBUGを追加しようとする。 ErrorForbidden=アクセスが拒否された。
無効にされたモジュールのページ、領域、または機能にアクセスしようとしたか、認証されたセッションに参加していないか、ユーザーに許可されていない。 ErrorForbidden2=このログインの許可は、メニュー%s - > %sからDolibarr管理者によって定義することができる。 -ErrorForbidden3=そのDolibarrが認証セッションを介して使用されていないようだ。認証を(htaccessファイルは、mod_authまたは他の...)を管理する方法を知ってDolibarrセットアップドキュメントを見てみよう。 +ErrorForbidden3=そのDolibarrが認証セッションを介して使用されていないようだ。認証を(htaccessファイルは、mod_authまたは他の...)を管理する方法を知ってDolibarrセットアップドキュメントを見てみよう。 ErrorNoImagickReadimage=クラスImagickが、このPHPで発見さ​​れていない。なしプレビューは利用できない。管理者は、メニューのSetupから、このタブを無効にすることができる - 表示する。 ErrorRecordAlreadyExists=レコードがすでに存在している ErrorLabelAlreadyExists=このラベルはすでに存在する @@ -122,8 +122,8 @@ ErrorLoginDoesNotExists=ログイン%sを持つユーザーを見つけ ErrorLoginHasNoEmail=このユーザーは電子メールアドレスを持っていない。プロセスが中止された。 ErrorBadValueForCode=セキュリティコードの値が正しくない。新規値で再試行すること... ErrorBothFieldCantBeNegative=フィールド%s %sとは負の両方にすることはできない -ErrorFieldCantBeNegativeOnInvoice=このタイプの請求書では、フィールド %sを負にすることはできない。割引ラインを追加する必要がある場合は、最初に割引を作成し(サードパーティカードのフィールド '%s'から)、それを請求書に適用する。 -ErrorLinesCantBeNegativeForOneVATRate=行の合計(税控除後)は、特定のnull以外のVAT率に対して負になることはできない(VAT率 %s %%の負の合計が見つかった)。 +ErrorFieldCantBeNegativeOnInvoice=このタイプの請求書では、フィールド %sを負にすることはできない。割引ラインを追加する必要がある場合は、最初に割引を作成し(サードパーティカードのフィールド '%s'から)、それを請求書に適用する。 +ErrorLinesCantBeNegativeForOneVATRate=行の合計(税控除後)は、特定のnull以外のVAT率に対して負になることはできない(VAT率 %s %%の負の合計が見つかった)。 ErrorLinesCantBeNegativeOnDeposits=預金でラインがマイナスになることはない。あなたがそうするならば、あなたが最終的な請求書で預金を消費する必要があるとき、あなたは問題に直面するだろう。 ErrorQtyForCustomerInvoiceCantBeNegative=顧客の請求書への明細の数量をマイナスにすることはできない ErrorWebServerUserHasNotPermission=Webサーバを実行するユーザーアカウントを使用%sそのための権限を持っていない @@ -136,8 +136,8 @@ ErrorPhpCurlNotInstalled=PHPCURLがインストールされていない。これ ErrorFailedToAddToMailmanList=レコード%sをMailmanリスト%sまたはSPIPベースに追加できなかった ErrorFailedToRemoveToMailmanList=レコード%sをMailmanリスト%sまたはSPIPベースに削除できなかった ErrorNewValueCantMatchOldValue=新規値を古い値と等しくすることはできない -ErrorFailedToValidatePasswordReset=パスワードの再初期化に失敗した。 reinitがすでに実行されている可能性がある(このリンクは1回しか使用できない)。そうでない場合は、再初期化プロセスを再開してみること。 -ErrorToConnectToMysqlCheckInstance=データベースへの接続に失敗。データベースサーバーが実行されていることを確認する(たとえば、mysql/mariadb なら、コマンドラインから "sudo service mysql start" を使用して起動できる)。 +ErrorFailedToValidatePasswordReset=パスワードの再初期化に失敗した。 reinitがすでに実行されている可能性がある(このリンクは1回しか使用できない)。そうでない場合は、再初期化プロセスを再開してみること。 +ErrorToConnectToMysqlCheckInstance=データベースへの接続に失敗。データベースサーバーが実行されていることを確認する(たとえば、mysql/mariadb なら、コマンドラインから "sudo service mysql start" を使用して起動できる)。 ErrorFailedToAddContact=連絡先の追加に失敗した ErrorDateMustBeBeforeToday=日付は今日よりも低くする必要がある ErrorDateMustBeInFuture=日付は今日より大きくなければならない @@ -155,7 +155,7 @@ ErrorPriceExpression2=組み込み関数 '%s'を再定義できない ErrorPriceExpression3=関数定義の未定義変数 '%s' ErrorPriceExpression4=不正な文字 '%s' ErrorPriceExpression5=予期しない '%s' -ErrorPriceExpression6=引数の数が間違っている(%sが指定され、%sが予期されている) +ErrorPriceExpression6=引数の数が間違っている(%sが指定され、%sが予期されている) ErrorPriceExpression8=予期しない演算子 '%s' ErrorPriceExpression9=予期しないエラーが発生した ErrorPriceExpression10=演算子 '%s'にオペランドがない @@ -172,8 +172,8 @@ ErrorPriceExpressionInternal=内部エラー '%s' ErrorPriceExpressionUnknown=不明なエラー '%s' ErrorSrcAndTargetWarehouseMustDiffers=ソースウェアハウスとターゲットウェアハウスは異なる必要がある ErrorTryToMakeMoveOnProductRequiringBatchData=ロット/シリアル情報を必要とする製品 '%s'で、ロット/シリアル情報なしで在庫移動を行おうとするとエラーが発生した -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=記録されたすべての受信は、このアクションを実行する前に、まず確認(承認または拒否)する必要がある -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=このアクションを実行する前に、記録されたすべての受信を最初に確認(承認)する必要がある +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=記録されたすべての受信は、このアクションを実行する前に、まず確認(承認または拒否)する必要がある +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=このアクションを実行する前に、記録されたすべての受信を最初に確認(承認)する必要がある ErrorGlobalVariableUpdater0=HTTPリクエストがエラー "%s" で失敗した ErrorGlobalVariableUpdater1=無効なJSON形式 '%s' ErrorGlobalVariableUpdater2=パラメータ '%s'がない @@ -184,7 +184,7 @@ ErrorFieldMustBeANumeric=フィールド%sは数値である必要があ ErrorMandatoryParametersNotProvided=必須パラメータ (s)が提供されていない ErrorOppStatusRequiredIfAmount=このリードの見積もり金額を設定する。したがって、そのステータスも入力する必要がある。 ErrorFailedToLoadModuleDescriptorForXXX=%sのモジュール記述子クラスのロードに失敗した -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=モジュール記述子のメニュー配列の定義が正しくない(キーfk_menuの値が正しくない) +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=モジュール記述子のメニュー配列の定義が正しくない(キーfk_menuの値が正しくない) ErrorSavingChanges=変更を保存するときにエラーが発生した ErrorWarehouseRequiredIntoShipmentLine=出荷するラインには倉庫が必要だ ErrorFileMustHaveFormat=ファイルの形式は%sである必要がある @@ -197,21 +197,21 @@ ErrorStockIsNotEnoughToAddProductOnShipment=製品%sが新規出荷に追加す ErrorStockIsNotEnoughToAddProductOnProposal=製品%sが新規提案に追加するには、在庫が十分ではない。 ErrorFailedToLoadLoginFileForMode=モード "%s" のログインキーの取得に失敗した。 ErrorModuleNotFound=モジュールのファイルが見つからなかった。 -ErrorFieldAccountNotDefinedForBankLine=ソース行ID%s(%s)に対してアカウンティングアカウントの値が定義されていない -ErrorFieldAccountNotDefinedForInvoiceLine=請求書ID%s(%s)に定義されていない会計勘定の値 -ErrorFieldAccountNotDefinedForLine=行に定義されていない会計勘定の値(%s) +ErrorFieldAccountNotDefinedForBankLine=ソース行ID%s(%s)に対してアカウンティングアカウントの値が定義されていない +ErrorFieldAccountNotDefinedForInvoiceLine=請求書ID%s(%s)に定義されていない会計勘定の値 +ErrorFieldAccountNotDefinedForLine=行に定義されていない会計勘定の値(%s) ErrorBankStatementNameMustFollowRegex=エラー、銀行取引明細書名は次の構文規則に従う必要がある%s ErrorPhpMailDelivery=使用する受信者の数が多すぎないこと、および電子メールの内容がスパムに類似していないことを確認すること。詳細については、ファイアウォールとサーバーのログファイルを確認するように管理者に依頼すること。 ErrorUserNotAssignedToTask=消費時間を入力できるようにするには、ユーザーをタスクに割り当てる必要がある。 ErrorTaskAlreadyAssigned=すでにユーザーに割り当てられているタスク ErrorModuleFileSeemsToHaveAWrongFormat=モジュールパッケージの形式が間違っているようだ。 ErrorModuleFileSeemsToHaveAWrongFormat2=モジュールのzipには、少なくとも1つの必須ディレクトリが存在する必要がある: %sまたは%s -ErrorFilenameDosNotMatchDolibarrPackageRules=モジュールパッケージの名前( %s )が予期される名前の構文と一致しません: %s +ErrorFilenameDosNotMatchDolibarrPackageRules=モジュールパッケージの名前( %s )が予期される名前の構文と一致しません: %s ErrorDuplicateTrigger=エラー、トリガー名%sが重複している。すでに%sからロードされている。 ErrorNoWarehouseDefined=エラー、倉庫が定義されていない。 ErrorBadLinkSourceSetButBadValueForRef=使用しているリンクは無効だ。支払いの "ソース" が定義されているが、 "ref" の値が無効だ。 ErrorTooManyErrorsProcessStopped=エラーが多すぎる。プロセスが停止した。 -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=このアクションで在庫を増減するオプションが設定されている場合、一括検証はできない(増加/減少する倉庫を定義できるように、1つずつ検証する必要がある) +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=このアクションで在庫を増減するオプションが設定されている場合、一括検証はできない(増加/減少する倉庫を定義できるように、1つずつ検証する必要がある) ErrorObjectMustHaveStatusDraftToBeValidated=オブジェクト%sを検証するには、ステータスが "ドラフト" である必要がある。 ErrorObjectMustHaveLinesToBeValidated=オブジェクト%sには、検証する行が必要だ。 ErrorOnlyInvoiceValidatedCanBeSentInMassAction= "電子メールで送信" 一括アクションを使用して送信できるのは、検証済みの請求書のみだ。 @@ -219,12 +219,12 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=記事が事前定義された製 ErrorDiscountLargerThanRemainToPaySplitItBefore=あなたが適用しようとする割引は、支払うべき残りよりも大きいだ。前に割引を2つの小さな割引に分割する。 ErrorFileNotFoundWithSharedLink=ファイルが見つからなかった。共有キーが変更されたか、ファイルが最近削除された可能性がある。 ErrorProductBarCodeAlreadyExists=製品バーコード%sは、別の製品リファレンスにすでに存在する。 -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=少なくとも1つのサブ製品(またはサブ製品のサブ製品)にシリアル番号/ロット番号が必要な場合、キットを使用してサブ製品を自動的に増減させることはできないことにも注意すること。 +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=少なくとも1つのサブ製品(またはサブ製品のサブ製品)にシリアル番号/ロット番号が必要な場合、キットを使用してサブ製品を自動的に増減させることはできないことにも注意すること。 ErrorDescRequiredForFreeProductLines=無料の製品を含むラインには説明が必須だ ErrorAPageWithThisNameOrAliasAlreadyExists=ページ/コンテナ%s は、使用しようとしているものと同じ名前または代替エイリアスを持っている ErrorDuringChartLoad=勘定科目表の読み込み中にエラーが発生した。ロードされていないアカウントが少ない場合でも、手動で入力できる。 ErrorBadSyntaxForParamKeyForContent=paramkeyforcontentの構文が正しくない。 %sまたは%sで始まる値が必要だ -ErrorVariableKeyForContentMustBeSet=エラー、名前%s(表示するテキストコンテンツ付き)または%s(表示する外部URL付き)の定数を設定する必要がある。 +ErrorVariableKeyForContentMustBeSet=エラー、名前%s(表示するテキストコンテンツ付き)または%s(表示する外部URL付き)の定数を設定する必要がある。 ErrorURLMustStartWithHttp=URL %sは http:// または https:// で始まる必要がある ErrorNewRefIsAlreadyUsed=エラー、新規参照はすでに使用されている ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=エラー、クローズされた請求書にリンクされた支払いを削除することはできない。 @@ -240,8 +240,8 @@ ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=エラー、ページを ErrorLanguageOfTranslatedPageIsSameThanThisPage=エラー、翻訳されたページの言語はこれと同じだ。 ErrorBatchNoFoundForProductInWarehouse=倉庫 "%s" に製品 "%s" のロット/シリアルが見つかりません。 ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=倉庫 "%s" の製品 "%s" のこのロット/シリアルに十分な数量がない。 -ErrorOnlyOneFieldForGroupByIsPossible='Group by'のフィールドは1つだけ可能だ(他のフィールドは破棄される) -ErrorTooManyDifferentValueForSelectedGroupBy=フィールド ' %s 'に異なる値( %s 以上)が多すぎるため、 それを図形に対する ' Group by ' として使用することはできない。フィールド "Group By" は削除された。 X軸として使用したかったのか? +ErrorOnlyOneFieldForGroupByIsPossible='Group by'のフィールドは1つだけ可能だ(他のフィールドは破棄される) +ErrorTooManyDifferentValueForSelectedGroupBy=フィールド ' %s 'に異なる値( %s 以上)が多すぎるため、 それを図形に対する ' Group by ' として使用することはできない。フィールド "Group By" は削除された。 X軸として使用したかったのか? ErrorReplaceStringEmpty=エラー、置き換える文字列が空だ ErrorProductNeedBatchNumber=エラー、製品 ' %s'にはロット/シリアル番号が必要だ ErrorProductDoesNotNeedBatchNumber=エラー、製品 ' %s'はロット/シリアル番号を受け入れません @@ -257,24 +257,24 @@ ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=新しいペー ErrorAParameterIsRequiredForThisOperation=この操作にはパラメーターが必須です # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHPパラメータ upload_max_filesize(%s)は、PHPパラメータ post_max_size(%s)よりも大きくなっている。これは一貫した設定ではない。 +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHPパラメータ upload_max_filesize(%s)は、PHPパラメータ post_max_size(%s)よりも大きくなっている。これは一貫した設定ではない。 WarningPasswordSetWithNoAccount=このメンバーにパスワードが設定された。ただし、ユーザーアカウントは作成されなかった。したがって、このパスワードは保存されるが、Dolibarrへのログインには使用できない。外部モジュール/インターフェースで使用できるが、メンバーのログインやパスワードを定義する必要がない場合は、メンバーモジュールの設定から "各メンバーのログインを管理する" オプションを無効にすることができる。ログインを管理する必要があるがパスワードは必要ない場合は、このフィールドを空のままにして、この警告を回避できる。注:メンバーがユーザーにリンクされている場合は、電子メールをログインとして使用することもできる。 WarningMandatorySetupNotComplete=必須パラメータ を設定するには、ここをクリックすること WarningEnableYourModulesApplications=モジュールとアプリケーションを有効にするには、ここをクリックすること WarningSafeModeOnCheckExecDir=警告、PHPのオプションセーフモードは、PHPのパラメータ safe_mode_exec_dirの宣言されたディレクトリ内に格納する必要があるので、コマンドにある。 -WarningBookmarkAlreadyExists=この職種またはこのターゲットを使用して、ブックマーク(URL)がすでに存在している。 +WarningBookmarkAlreadyExists=この職種またはこのターゲットを使用して、ブックマーク(URL)がすでに存在している。 WarningPassIsEmpty=警告は、データベースのパスワードは空だ。これはセキュリティホールだ。あなたのデータベースにパスワードを追加し、これを反映するようにconf.phpファイルを変更する必要がある。 WarningConfFileMustBeReadOnly=警告、設定ファイル (htdocs/conf/conf.php) はWebサーバーによって上書きされうる。これは重大なセキュリティホールだ。 Webサーバーで使用されるオペレーティング·システム·ユーザーのために読み取り専用モードになるようにファイルのパーミッションを変更すること。あなたのディスクにWindowsとFATフォーマットを使用すると、このファイルシステムはファイルのパーミッションを追加することはできず、完全な安全を得られないことを知っている必要がある。 WarningsOnXLines=%sソース行に関する警告 WarningNoDocumentModelActivated=ドキュメント生成用のモデルはアクティブ化されていない。モジュールの設定を確認するまで、デフォルトでモデルが選択される。 WarningLockFileDoesNotExists=警告、セットアップが完了したら、ファイル install.lockをディレクトリ%s に追加して、インストール/移行ツールを無効にする必要がある。このファイルの作成を省略すると、重大なセキュリティリスクが発生する。 -WarningUntilDirRemoved=すべてのセキュリティ警告(管理者ユーザーのみに表示)は、脆弱性が存在する限り(または、 設定 -> その他の設定 で定数 MAIN_REMOVE_INSTALL_WARNING が追加されている限り)アクティブなままだ。 +WarningUntilDirRemoved=すべてのセキュリティ警告(管理者ユーザーのみに表示)は、脆弱性が存在する限り(または、 設定 -> その他の設定 で定数 MAIN_REMOVE_INSTALL_WARNING が追加されている限り)アクティブなままだ。 WarningCloseAlways=警告、ソース要素とターゲット要素の間で量が異なっていても、クローズは行われる。この機能は注意して有効にすること。 WarningUsingThisBoxSlowDown=警告、このボックスを使用すると、ボックスを表示しているすべてのページの速度が大幅に低下する。 -WarningClickToDialUserSetupNotComplete=ユーザーのClickToDial情報の設定が完了していない(ユーザーカードのClickToDialタブを参照)。 +WarningClickToDialUserSetupNotComplete=ユーザーのClickToDial情報の設定が完了していない(ユーザーカードのClickToDialタブを参照)。 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=表示設定が視覚障害者またはテキストブラウザ用に最適化されている場合、機能は無効になる。 -WarningPaymentDateLowerThanInvoiceDate=請求書%sの支払い日(%s)が請求日(%s)よりも前だ。 -WarningTooManyDataPleaseUseMoreFilters=データが多すぎる(%s行を超えている)。より多くのフィルタを使用するか、定数%sをより高い制限に設定すること。 +WarningPaymentDateLowerThanInvoiceDate=請求書%sの支払い日(%s)が請求日(%s)よりも前だ。 +WarningTooManyDataPleaseUseMoreFilters=データが多すぎる(%s行を超えている)。より多くのフィルタを使用するか、定数%sをより高い制限に設定すること。 WarningSomeLinesWithNullHourlyRate=時間料金が定義されていないときに、一部のユーザーによって記録された時間もある。 1時間あたり0%sの値が使用されたが、これにより、費やされた時間の誤った評価が発生する可能性がある。 WarningYourLoginWasModifiedPleaseLogin=ログインが変更された。セキュリティ上の理由から、次のアクションの前に新規ログインでログインする必要がある。 WarningAnEntryAlreadyExistForTransKey=この言語の翻訳キーのエントリはすでに存在する diff --git a/htdocs/langs/ja_JP/exports.lang b/htdocs/langs/ja_JP/exports.lang index 36b88c20eab..07f956fe22d 100644 --- a/htdocs/langs/ja_JP/exports.lang +++ b/htdocs/langs/ja_JP/exports.lang @@ -10,8 +10,8 @@ SelectImportDataSet=インポートしたいデータを選択... SelectExportFields=エクスポートするフィールドを選択するか、事前定義されたエクスポートプロファイルを選択する SelectImportFields=アンカー%sを使用して上下に移動することにより、インポートするソースファイルフィールドとデータベース内のそれらのターゲットフィールドを選択するか、事前定義されたインポートプロファイルを選択する。 NotImportedFields=ソースファイルのフィールドがインポートされない -SaveExportModel=選択内容をエクスポートプロファイル/テンプレートとして保存する(再利用用)。 -SaveImportModel=このインポートプロファイルを(再利用のために)保存する... +SaveExportModel=選択内容をエクスポートプロファイル/テンプレートとして保存する(再利用用)。 +SaveImportModel=このインポートプロファイルを(再利用のために)保存する... ExportModelName=プロファイル名をエクスポートする ExportModelSaved= %sとして保存されたエクスポートプロファイル。 ExportableFields=エクスポート可能なフィールド @@ -37,7 +37,7 @@ FormatedExportDesc1=これらのツールを使用すると、アシスタント FormatedExportDesc2=最初のステップは、事前定義されたデータセットを選択し、次にエクスポートするフィールドとその順序を選択すること 。 FormatedExportDesc3=エクスポートするデータを選択すると、出力ファイルの形式を選択できる。 Sheet=シート -NoImportableData=いいえインポート可能なデータがない(データのインポートを可能にするための定義としないモジュール) +NoImportableData=いいえインポート可能なデータがない(データのインポートを可能にするための定義としないモジュール) FileSuccessfullyBuilt=生成されたファイル SQLUsedForExport=データの抽出に使用されるSQLリクエスト LineId=行のid @@ -49,16 +49,16 @@ LineQty=線の量 LineTotalHT=除く金額ラインの税金 LineTotalTTC=ラインのための税の額 LineTotalVAT=ラインの付加価値税の額 -TypeOfLineServiceOrProduct=回線の種類(0 =製品、1 =サービス) +TypeOfLineServiceOrProduct=回線の種類(0 =製品、1 =サービス) FileWithDataToImport=インポートするデータを持つファイル FileToImport=インポートするソースファイル FileMustHaveOneOfFollowingFormat=インポートするファイルは、次のいずれかの形式である必要がある -DownloadEmptyExample=フィールドコンテンツ情報を含むテンプレートファイルをダウンロードする(*は必須フィールド ) +DownloadEmptyExample=フィールドコンテンツ情報を含むテンプレートファイルをダウンロードする(*は必須フィールド ) ChooseFormatOfFileToImport=%sアイコンをクリックして選択し、インポートファイル形式として使用するファイル形式を選択する... ChooseFileToImport=ファイルをアップロードし、%sアイコンをクリックして、ソースインポートファイルとしてファイルを選択する。 SourceFileFormat=ソースファイルの形式 FieldsInSourceFile=ソースファイル内のフィールド -FieldsInTargetDatabase=Dolibarrデータベースのターゲットフィールド(太字=必須) +FieldsInTargetDatabase=Dolibarrデータベースのターゲットフィールド(太字=必須) Field=フィールド NoFields=Noフィールド MoveField=フィールドの列番号%sを移動 @@ -70,7 +70,7 @@ FieldsTarget=対象となるフィールド FieldTarget=ターゲットとフィールド FieldSource=ソースフィールド NbOfSourceLines=ソースファイルの行数 -NowClickToTestTheImport=ファイルのファイル形式(フィールドと文字列の区切り文字)が表示されているオプションと一致していること、およびヘッダー行を省略していることを確認すること。一致していない場合、次のシミュレーションでエラーとしてフラグが付けられる。
%s」ボタンをクリックして、ファイル構造/コンテンツのチェックを実行し、インポートプロセスをシミュレートする。
データベースのデータは変更されない。 +NowClickToTestTheImport=ファイルのファイル形式(フィールドと文字列の区切り文字)が表示されているオプションと一致していること、およびヘッダー行を省略していることを確認すること。一致していない場合、次のシミュレーションでエラーとしてフラグが付けられる。
%s」ボタンをクリックして、ファイル構造/コンテンツのチェックを実行し、インポートプロセスをシミュレートする。
データベースのデータは変更されない。 RunSimulateImportFile=インポートシミュレーションを実行する FieldNeedSource=このフィールドには、ソースファイルのデータが必要 SomeMandatoryFieldHaveNoSource=いくつかの必須フィールドは、データファイルからのソースがない @@ -84,7 +84,7 @@ DataLoadedWithId=インポートされたデータには、各データベース ErrorMissingMandatoryValue=フィールド%sのソースファイルの必須データが空 。 TooMuchErrors=エラーのある%s の他のソース行がまだあるが、出力は制限されている。 TooMuchWarnings=警告のある他のソース行はまだ%s が、出力は制限されている。 -EmptyLine=空行(破棄される) +EmptyLine=空行(破棄される) CorrectErrorBeforeRunningImport=は、が最終的なインポートを実行する前に、
がすべてのエラーを修正する必要がある。 FileWasImported=ファイルが数%sでインポートされた。 YouCanUseImportIdToFindRecord=フィールドimport_key = '%s' でフィルタリングすると、データベースにインポートされたすべてのレコードを見つけることができる。 @@ -92,8 +92,8 @@ NbOfLinesOK=エラーなしで警告なしの行数:%s。 NbOfLinesImported=正常インポートの行数:%s。 DataComeFromNoWhere=挿入する値は、ソース·ファイル内のどこからも来ていない。 DataComeFromFileFieldNb=挿入する値は、ソースファイル内のフィールド番号%sから来ている。 -DataComeFromIdFoundFromRef=ソースファイルのフィールド番号%s からの値は、使用する親オブジェクトのIDを見つけるために使用される(したがって、オブジェクト %s がデータベースに存在し、ソースファイルからの参照符号を持つ必要がある)。 -DataComeFromIdFoundFromCodeId=ソースファイルのフィールド番号%s からのコードは、使用する親オブジェクトのIDを見つけるために使用される(したがって、ソースファイルのコードはディクショナリ %s に存在する必要がある)。 IDがわかっている場合、コードの代わりにソースファイルでそれを使用することもできる。インポートはどちらの場合でも機能するはず 。 +DataComeFromIdFoundFromRef=ソースファイルのフィールド番号%s からの値は、使用する親オブジェクトのIDを見つけるために使用される(したがって、オブジェクト %s がデータベースに存在し、ソースファイルからの参照符号を持つ必要がある)。 +DataComeFromIdFoundFromCodeId=ソースファイルのフィールド番号%s からのコードは、使用する親オブジェクトのIDを見つけるために使用される(したがって、ソースファイルのコードはディクショナリ %s に存在する必要がある)。 IDがわかっている場合、コードの代わりにソースファイルでそれを使用することもできる。インポートはどちらの場合でも機能するはず 。 DataIsInsertedInto=ソースファイルからのデータは、次のフィールドに挿入される。 DataIDSourceIsInsertedInto=ソースファイルのデータを使用して親オブジェクトのIDが見つかり、次のフィールドに挿入される。 DataCodeIDSourceIsInsertedInto=コー​​ドから見つかった親行のIDは、次のフィールドに挿入される。 @@ -101,11 +101,11 @@ SourceRequired=データ値は必須 。 SourceExample=可能なデータ値の例 ExampleAnyRefFoundIntoElement=要素%sで見つかった何らかの参照符号 ExampleAnyCodeOrIdFoundIntoDictionary=辞書%s で見つかった何らかのコード (またはID) -CSVFormatDesc= カンマ区切り値ファイル形式(.csv)。
これは、フィールドが区切り文字[%s]で区切られているテキストファイル形式 。フィールドコンテンツ内に区切り文字が見つかった場合、フィールドは丸め文字[%s]で丸められる。丸め文字をエスケープするエスケープ文字は[%s] 。 -Excel95FormatDesc= Excel ファイル形式(.xls)
これはネイティブのExcel 95形式(BIFF5) 。 -Excel2007FormatDesc= Excel ファイル形式(.xlsx)
これはネイティブのExcel 2007形式(SpreadsheetML) 。 -TsvFormatDesc= タブ区切り値ファイル形式(.tsv)
これは、フィールドがタブ文字 [tab] で区切られているテキストファイル形式 。 -ExportFieldAutomaticallyAdded=フィールド%sが自動的に追加された。類似の行を重複レコードとして扱うのを防止するように(このフィールドを付加すると、すべての行が独自のIDを所有し、異なるものとなる)。 +CSVFormatDesc= カンマ区切り値ファイル形式(.csv)。
これは、フィールドが区切り文字[%s]で区切られているテキストファイル形式 。フィールドコンテンツ内に区切り文字が見つかった場合、フィールドは丸め文字[%s]で丸められる。丸め文字をエスケープするエスケープ文字は[%s] 。 +Excel95FormatDesc= Excel ファイル形式(.xls)
これはネイティブのExcel 95形式(BIFF5) 。 +Excel2007FormatDesc= Excel ファイル形式(.xlsx)
これはネイティブのExcel 2007形式(SpreadsheetML) 。 +TsvFormatDesc= タブ区切り値ファイル形式(.tsv)
これは、フィールドがタブ文字 [tab] で区切られているテキストファイル形式 。 +ExportFieldAutomaticallyAdded=フィールド%sが自動的に追加された。類似の行を重複レコードとして扱うのを防止するように(このフィールドを付加すると、すべての行が独自のIDを所有し、異なるものとなる)。 CsvOptions=CSV形式のオプション Separator=フィールドセパレータ Enclosure=文字列区切り文字 @@ -115,11 +115,11 @@ ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: 年/月/日でフィルタ
YYYY+YYYY ExportNumericFilter=NNNNN は1つの値でフィルタ
NNNNN+NNNNN は値sの範囲でフィルタ
< NNNNN は、より低い値でフィルタ
> NNNNN は、より高い値でフィルタ ImportFromLine=行番号からインポート EndAtLineNb=行番号で終了 -ImportFromToLine=制限範囲(From-To)。例えば、ヘッダー行(s)を省略する。 +ImportFromToLine=制限範囲(From-To)。例えば、ヘッダー行(s)を省略する。 SetThisValueTo2ToExcludeFirstLine=たとえば、この値を3に設定して、最初の2行を除外する。
ヘッダー行が省略されていない場合、インポートシミュレーションで複数のエラーが発生する。 KeepEmptyToGoToEndOfFile=ファイルの終わりまでのすべての行を処理するには、このフィールドを空のままにする。 SelectPrimaryColumnsForUpdateAttempt=UPDATEインポートの主キーとして使用する列(s)を選択する -UpdateNotYetSupportedForThisImport=このタイプのインポートでは更新はサポートされていない(挿入のみ) +UpdateNotYetSupportedForThisImport=このタイプのインポートでは更新はサポートされていない(挿入のみ) NoUpdateAttempt=更新は実行されず、挿入のみが実行された ImportDataset_user_1=ユーザ (従業員であってもなくても) とプロパティ ComputedField=計算フィールド @@ -129,8 +129,8 @@ FilteredFields=フィルタリングされたフィールド FilteredFieldsValues=フィルタの値 FormatControlRule=フォーマット制御ルール ## imports updates -KeysToUseForUpdates=の既存データを更新するために使用するキー(列) +KeysToUseForUpdates=の既存データを更新するために使用するキー(列) NbInsert=挿入された行数:%s NbUpdate=更新された行数:%s MultipleRecordFoundWithTheseFilters=これらのフィルタで複数のレコードが見つかった:%s -StocksWithBatch=バッチ/シリアル番号のある製品の在庫と場所(倉庫) +StocksWithBatch=バッチ/シリアル番号のある製品の在庫と場所(倉庫) diff --git a/htdocs/langs/ja_JP/externalsite.lang b/htdocs/langs/ja_JP/externalsite.lang index 429769e901f..e13d16f892d 100644 --- a/htdocs/langs/ja_JP/externalsite.lang +++ b/htdocs/langs/ja_JP/externalsite.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - externalsite ExternalSiteSetup=外部ウェブサイトへのリンクを設定 ExternalSiteURL=外部サイトのURL -ExternalSiteModuleNotComplete=モジュールExternalSite(外部サイト)が正しく構成されていませんでした。 +ExternalSiteModuleNotComplete=モジュールExternalSite(外部サイト)が正しく構成されていませんでした。 ExampleMyMenuEntry=私のメニューエントリ diff --git a/htdocs/langs/ja_JP/ftp.lang b/htdocs/langs/ja_JP/ftp.lang index 765e2a4c44f..d1bf05d68c2 100644 --- a/htdocs/langs/ja_JP/ftp.lang +++ b/htdocs/langs/ja_JP/ftp.lang @@ -5,7 +5,7 @@ FTPArea=FTP / FTPSエリア FTPAreaDesc=この画面には、FTPおよびSFTPサーバのビューが表示される。 SetupOfFTPClientModuleNotComplete=FTPまたはSFTPクライアントモジュールの設定が不完全なようです FTPFeatureNotSupportedByYourPHP=お使いのPHPはFTPまたはSFTP機能をサポートしていない -FailedToConnectToFTPServer=サーバ(サーバ%s、ポート%s)への接続に失敗した +FailedToConnectToFTPServer=サーバ(サーバ%s、ポート%s)への接続に失敗した FailedToConnectToFTPServerWithCredentials=定義されたログイン/パスワードでサーバにログインできなかった FTPFailedToRemoveFile=ファイルの%sを削除できなかった。 FTPFailedToRemoveDir=ディレクトリ%s の削除に失敗した:権限を確認し、ディレクトリが空であることを確認すること。 diff --git a/htdocs/langs/ja_JP/help.lang b/htdocs/langs/ja_JP/help.lang index 211b5fe6a6f..b6b9f5e69c0 100644 --- a/htdocs/langs/ja_JP/help.lang +++ b/htdocs/langs/ja_JP/help.lang @@ -1,23 +1,23 @@ # Dolibarr language file - Source file is en_US - help -CommunitySupport=フォーラム/ Wikiのサポート -EMailSupport=電子メールをサポート -RemoteControlSupport=オンラインリアルタイム/リモートサポート -OtherSupport=その他のサポート -ToSeeListOfAvailableRessources=利用可能なリソースに連絡する/表示するには: +CommunitySupport=フォーラム/ Wiki サポート +EMailSupport=メール サポート +RemoteControlSupport=オンライン 即時 / 遠隔 サポート +OtherSupport=その他 サポート +ToSeeListOfAvailableRessources=利用可能なリソースへの 連絡/表示: HelpCenter=ヘルプセンター -DolibarrHelpCenter=Dolibarr Help and Support Center -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. -TypeOfSupport=Type of support -TypeSupportCommunauty=コミュニティ(無料) +DolibarrHelpCenter=Dolibarrヘルプとサポートセンター +ToGoBackToDolibarr=それ以外の場合、ここをクリックしてDolibarrを引き続き使用 +TypeOfSupport=サポートの種類 +TypeSupportCommunauty=コミュニティ(無料) TypeSupportCommercial=コマーシャル TypeOfHelp=タイプ NeedHelpCenter=ヘルプやサポートが必要ですか? Efficiency=効率性 -TypeHelpOnly=唯一の助け -TypeHelpDev=+の開発を支援 -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): +TypeHelpOnly=ヘルプのみ +TypeHelpDev=ヘルプ+開発 +TypeHelpDevForm=ヘルプ+開発+トレーニング +BackToHelpCenter=それ以外の場合、ヘルプセンターのホームページに戻る +LinkToGoldMember=彼らのウィジェットをクリックすると(状態と最高価格は自動更新され)、Dolibarrによって事前選択されたトレーナーの1人と自分の言語 (%s) で電話できるよ。 PossibleLanguages=サポートされる言語 -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation +SubscribeToFoundation=Dolibarrプロジェクトを支援し、財団に登録 SeeOfficalSupport=お使いの言語での公式Dolibarrサポート:
%s diff --git a/htdocs/langs/ja_JP/holiday.lang b/htdocs/langs/ja_JP/holiday.lang index 72861294057..855d22d946f 100644 --- a/htdocs/langs/ja_JP/holiday.lang +++ b/htdocs/langs/ja_JP/holiday.lang @@ -94,7 +94,7 @@ ManualUpdate=手動更新 HolidaysCancelation=リクエストのキャンセルを残す EmployeeLastname=従業員の姓 EmployeeFirstname=従業員の名 -TypeWasDisabledOrRemoved=休暇タイプ(id %s)が無効化または削除された +TypeWasDisabledOrRemoved=休暇タイプ(id %s)が無効化または削除された LastHolidays=最新の%s休暇申請 AllHolidays=すべての休暇申請 HalfDay=半日 diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index 96515a06978..042be5d8fa0 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -4,7 +4,7 @@ MiscellaneousChecks=前提条件チェック ConfFileExists=コンフィギュレーションファイル%sが存在している 。 ConfFileDoesNotExistsAndCouldNotBeCreated=構成ファイル%s が存在せず、作成できなかった。 ConfFileCouldBeCreated=設定ファイルの%sを作成できる。 -ConfFileIsNotWritable=構成ファイル%sは書き込み可能ではありません。権限を確認すること。最初のインストールでは、Webサーバーが構成プロセス中にこのファイルに書き込める必要がある(たとえば、OSのようなUnixでは「chmod666」)。 +ConfFileIsNotWritable=構成ファイル%sは書き込み可能ではありません。権限を確認すること。最初のインストールでは、Webサーバーが構成プロセス中にこのファイルに書き込める必要がある(たとえば、OSのようなUnixでは「chmod666」)。 ConfFileIsWritable=コンフィギュレーションファイルの%sは書き込み可能。 ConfFileMustBeAFileNotADir=構成ファイル%s は、ディレクトリーではなくファイルでなければならない。 ConfFileReload=構成ファイルからパラメーターを再ロードする。 @@ -41,8 +41,8 @@ ConfigurationFile=設定ファイル WebPagesDirectory=ウェブページが保存されているディレクトリ DocumentsDirectory=アップロードし、生成されたドキュメントを格納するディレクトリ URLRoot=URLのルート -ForceHttps=力安全な接続(HTTPS) -CheckToForceHttps=セキュアな接続(https)を強制的にこのオプションをチェックすること。
これは、WebサーバがSSL証明書を使用して構成されている必要がある。 +ForceHttps=力安全な接続(HTTPS) +CheckToForceHttps=セキュアな接続(https)を強制的にこのオプションをチェックすること。
これは、WebサーバがSSL証明書を使用して構成されている必要がある。 DolibarrDatabase=Dolibarrデータベース DatabaseType=データベース種別 DriverType=ドライバ種別 @@ -61,8 +61,8 @@ CreateUser=Dolibarrデータベースでユーザアカウントを作成する DatabaseSuperUserAccess=データベースサーバ - スーパーユーザのアクセス CheckToCreateDatabase=データベースがまだ存在しないため、作成する必要がある場合は、チェックボックスをオンにする。
この場合、このページの下部にスーパーユーザアカウントのユーザ名とパスワードも入力する必要がある。 CheckToCreateUser=次の場合にチェックボックスをオンにする。
データベースユーザアカウントがまだ存在しないため作成する必要がある場合、またはユーザアカウントは存在するがデータベースが存在せず、アクセス許可を付与する必要がある場合は

この場合、このページの下部にユーザアカウントとパスワードを入力する必要があり、スーパーユーザアカウント名とパスワードを入力する必要がある。このボックスがオフの場合、データベースの所有者とパスワードがすでに存在する必要がある。 -DatabaseRootLoginDescription=スーパーユーザアカウント名(新規データベースまたは新規ユーザを作成するため)。データベースまたはその所有者がまだ存在しない場合は必須。 -KeepEmptyIfNoPassword=スーパーユーザにパスワードがない場合は空のままにする(非推奨) +DatabaseRootLoginDescription=スーパーユーザアカウント名(新規データベースまたは新規ユーザを作成するため)。データベースまたはその所有者がまだ存在しない場合は必須。 +KeepEmptyIfNoPassword=スーパーユーザにパスワードがない場合は空のままにする(非推奨) SaveConfigurationFile=パラメータをに保存する ServerConnection=サーバーへの接続 DatabaseCreation=データベースの作成 @@ -80,14 +80,14 @@ PasswordsMismatch=パスワードが異なる。もう一度お試しくださ SetupEnd=設定の終了 SystemIsInstalled=このインストールは満了。 SystemIsUpgraded=Dolibarrが正常にアップグレードされている。 -YouNeedToPersonalizeSetup=あなたのニーズに合わせてDolibarrを設定する必要がある(外観、機能、...).これを行うには、下記のリンクをクリックすること。 +YouNeedToPersonalizeSetup=あなたのニーズに合わせてDolibarrを設定する必要がある(外観、機能、...).これを行うには、下記のリンクをクリックすること。 AdminLoginCreatedSuccessfuly=Dolibarr 管理者ログイン '%s' の作成が成功した。 GoToDolibarr=Dolibarrに行く -GoToSetupArea=Dolibarr(設定の領域)に移動する +GoToSetupArea=Dolibarr(設定の領域)に移動する MigrationNotFinished=データベースのバージョンが完全に最新ではありません。アップグレードプロセスを再実行すること。 GoToUpgradePage=アップグレードページへ再度行く WithNoSlashAtTheEnd=末尾のスラッシュ"/"なし -DirectoryRecommendation= 重要:Webページの外部にあるディレクトリを使用する必要がある(したがって、前のパラメータのサブディレクトリは使用しないこと)。 +DirectoryRecommendation= 重要:Webページの外部にあるディレクトリを使用する必要がある(したがって、前のパラメータのサブディレクトリは使用しないこと)。 LoginAlreadyExists=すでに存在する DolibarrAdminLogin=Dolibarr adminログイン AdminLoginAlreadyExists=Dolibarr管理者アカウント ' %s'は既に存在する。別のものを作成したい場合は戻ってください。 @@ -95,8 +95,8 @@ FailedToCreateAdminLogin=Dolibarr管理者アカウントの作成に失敗し WarningRemoveInstallDir=警告、セキュリティ上の理由から、インストールまたはアップグレードが完了したら、インストールツールの偶発的/悪用を防ぐために、 install.lockというファイルをDolibarrドキュメントディレクトリに追加する必要がある。 FunctionNotAvailableInThisPHP=このPHPでは使用できない ChoosedMigrateScript=移行スクリプトを選択する。 -DataMigration=データベースの移行(データ) -DatabaseMigration=データベースの移行(構造+一部のデータ) +DataMigration=データベースの移行(データ) +DatabaseMigration=データベースの移行(構造+一部のデータ) ProcessMigrateScript=スクリプト処理 ChooseYourSetupMode=設定モードを選択し、"スタート"をクリック... FreshInstall=新規インストール @@ -122,12 +122,12 @@ IfLoginDoesNotExistsCheckCreateUser=ユーザがまだ存在しない場合は ErrorConnection=サーバ "%s"、データベース名 "%s"、ログイン "%s"、またはデータベースパスワードが違う、またはPHPクライアントバージョンがデータベースバージョンのに対して古すぎる。 InstallChoiceRecommanded=あなたの現在のバージョンの%sからバージョン%sをインストールすることをお勧め選択肢 InstallChoiceSuggested=インストーラによって提案されたインストール選択肢 。 -MigrateIsDoneStepByStep=ターゲットバージョン(%s)には、いくつかのバージョンのギャップがある。これが完了すると、インストールウィザードが戻ってきて、さらに移行することを提案する。 +MigrateIsDoneStepByStep=ターゲットバージョン(%s)には、いくつかのバージョンのギャップがある。これが完了すると、インストールウィザードが戻ってきて、さらに移行することを提案する。 CheckThatDatabasenameIsCorrect=データベース名「%s」が正しいことを確認すること。 IfAlreadyExistsCheckOption=この名前が正しいこと、およびそのデータベースがまだ存在しない場合は、オプションの"データベースの作成"をチェックする必要がある。 OpenBaseDir=PHP openbasedirパラメータ -YouAskToCreateDatabaseSoRootRequired=「データベースの作成」ボックスをチェックした。このためには、スーパーユーザのログイン/パスワードを入力する必要がある(フォームの下部)。 -YouAskToCreateDatabaseUserSoRootRequired= "データベース所有者を作成する" チェックボックスをオンにした。このためには、スーパーユーザのログイン/パスワードを入力する必要がある(フォームの下部)。 +YouAskToCreateDatabaseSoRootRequired=「データベースの作成」ボックスをチェックした。このためには、スーパーユーザのログイン/パスワードを入力する必要がある(フォームの下部)。 +YouAskToCreateDatabaseUserSoRootRequired= "データベース所有者を作成する" チェックボックスをオンにした。このためには、スーパーユーザのログイン/パスワードを入力する必要がある(フォームの下部)。 NextStepMightLastALongTime=現在のステップには数分かかる場合がある。次の画面が完全に表示されるまで待ってから続行すること。 MigrationCustomerOrderShipping=販売受注保管庫のための出荷を移行 MigrationShippingDelivery=出荷の保管庫をアップグレード @@ -136,10 +136,10 @@ MigrationFinished=マイグレーションが終了した LastStepDesc= 最後のステップ:Dolibarrへの接続に使用するログインとパスワードをここで定義する。 他のすべての/追加のユーザアカウントを管理するためのマスターアカウントであるため、これをなくさないでください。 ActivateModule=モジュール%sをアクティブにする ShowEditTechnicalParameters=高度なパラメータを表示/編集するには、ここをクリックすること (エキスパートモード) -WarningUpgrade=警告:\n最初にデータベースバックアップを実行したか?\nこれを強くお勧めする。このプロセス中にデータが失われる可能性があるため(たとえば、mysqlバージョン5.5.40 / 41/42/43のバグが原因)、移行を開始する前にデータベースの完全なダンプを取得することが不可欠。\n\n "OK" をクリックして移行プロセスを開始する... -ErrorDatabaseVersionForbiddenForMigration=データベースのバージョンは%s。重大なバグがあり、移行プロセスで必要になるなど、データベースに構造的な変更を加えるとデータが失われる可能性がある。彼の理由により、データベースをレイヤー(パッチ)バージョンにアップグレードするまで移行は許可されません(既知のバグのあるバージョンのリスト:%s) +WarningUpgrade=警告:\n最初にデータベースバックアップを実行したか?\nこれを強くお勧めする。このプロセス中にデータが失われる可能性があるため(たとえば、mysqlバージョン5.5.40 / 41/42/43のバグが原因)、移行を開始する前にデータベースの完全なダンプを取得することが不可欠。\n\n "OK" をクリックして移行プロセスを開始する... +ErrorDatabaseVersionForbiddenForMigration=データベースのバージョンは%s。重大なバグがあり、移行プロセスで必要になるなど、データベースに構造的な変更を加えるとデータが失われる可能性がある。彼の理由により、データベースをレイヤー(パッチ)バージョンにアップグレードするまで移行は許可されません(既知のバグのあるバージョンのリスト:%s) KeepDefaultValuesWamp=DoliWampのDolibarr設定ウィザードを使用したため、ここで提案されている値はすでに最適化されている。自分が何をするのかがわかっている場合にのみ、それらを変更すること。 -KeepDefaultValuesDeb=Linuxパッケージ(Ubuntu、Debian、Fedora ...)のDolibarr設定ウィザードを使用したため、ここで提案する値はすでに最適化されている。作成するデータベース所有者のパスワードのみを入力する必要がある。自分が何をするかがわかっている場合にのみ、他のパラメータを変更すること。 +KeepDefaultValuesDeb=Linuxパッケージ(Ubuntu、Debian、Fedora ...)のDolibarr設定ウィザードを使用したため、ここで提案する値はすでに最適化されている。作成するデータベース所有者のパスワードのみを入力する必要がある。自分が何をするかがわかっている場合にのみ、他のパラメータを変更すること。 KeepDefaultValuesMamp=DoliMampのDolibarr設定ウィザードを使用したため、ここで提案されている値はすでに最適化されている。自分が何をするのかがわかっている場合にのみ、それらを変更すること。 KeepDefaultValuesProxmox=Proxmox仮想アプライアンスからDolibarr設定ウィザードを使用したため、ここで提案されている値はすでに最適化されている。自分が何をするのかがわかっている場合にのみ、それらを変更すること。 UpgradeExternalModule=外部モジュールの専用アップグレードプロセスを実行する @@ -158,12 +158,12 @@ MigrationSuccessfullUpdate=成功したアップグレード MigrationUpdateFailed=失敗したアップグレード·プロセス MigrationRelationshipTables=関係テーブル (%s) のデータ移行 MigrationPaymentsUpdate=支払データ補正 -MigrationPaymentsNumberToUpdate=更新する%s支払い(秒) -MigrationProcessPaymentUpdate=更新の支払い(秒)%s +MigrationPaymentsNumberToUpdate=更新する%s支払い(秒) +MigrationProcessPaymentUpdate=更新の支払い(秒)%s MigrationPaymentsNothingToUpdate=これ以上実行すべきことはない MigrationPaymentsNothingUpdatable=訂正することができるこれ以上の支払いなし MigrationContractsUpdate=契約データの補正 -MigrationContractsNumberToUpdate=更新する%s契約(複数可) +MigrationContractsNumberToUpdate=更新する%s契約(複数可) MigrationContractsLineCreation=契約のref %sの契約回線を作成する。 MigrationContractsNothingToUpdate=これ以上実行すべきことsはない MigrationContractsFieldDontExist=フィールドfk_factureはもう存在しません。何もすることはありません。 @@ -172,7 +172,7 @@ MigrationContractsEmptyDatesUpdateSuccess=契約の空の日付の修正が正 MigrationContractsEmptyDatesNothingToUpdate=修正する契約空の日ない MigrationContractsEmptyCreationDatesNothingToUpdate=修正する契約作成日はない MigrationContractsInvalidDatesUpdate=不正な値の日付の契約補正 -MigrationContractsInvalidDateFix=正しい契約%s(契約日= %sの開始、サービス日分= %s) +MigrationContractsInvalidDateFix=正しい契約%s(契約日= %sの開始、サービス日分= %s) MigrationContractsInvalidDatesNumber=%s契約が変更された MigrationContractsInvalidDatesNothingToUpdate=修正するために不正な値を持つ日付なし MigrationContractsIncoherentCreationDateUpdate=不正な値契約の作成日付補正 @@ -203,14 +203,14 @@ MigrationRemiseExceptEntity=llx_societe_remise_except のエンティティフ MigrationUserRightsEntity=llx_user_rightsのエンティティフィールド値を更新する MigrationUserGroupRightsEntity=llx_usergroup_rightsのエンティティフィールド値を更新する MigrationUserPhotoPath=ユーザの写真パスの移行 -MigrationFieldsSocialNetworks=ユーザフィールドソーシャルネットワークの移行(%s) +MigrationFieldsSocialNetworks=ユーザフィールドソーシャルネットワークの移行(%s) MigrationReloadModule=モジュール %s を再読み込み MigrationResetBlockedLog=v7アルゴリズムのモジュールBlockedLogをリセット ShowNotAvailableOptions=利用できないオプションを表示する HideNotAvailableOptions=利用できないオプションを非表示にする ErrorFoundDuringMigration=移行プロセス中にエラーが報告されたため、次のステップは利用できない。エラーを無視するには、ここをクリックできるが、エラーが解決されるまで、アプリケーションまたは一部の機能が正しく動作しない場合がある。 -YouTryInstallDisabledByDirLock=アプリケーションは自己アップグレードを試みたが、インストール/アップグレードページはセキュリティのために無効になっている(ディレクトリの名前が.lockサフィックスに変更された)。
-YouTryInstallDisabledByFileLock=アプリケーションは自己アップグレードを試みたが、インストール/アップグレードページはセキュリティのために無効になっている(dolibarrドキュメントディレクトリにロックファイル install.lock が存在するため)。
+YouTryInstallDisabledByDirLock=アプリケーションは自己アップグレードを試みたが、インストール/アップグレードページはセキュリティのために無効になっている(ディレクトリの名前が.lockサフィックスに変更された)。
+YouTryInstallDisabledByFileLock=アプリケーションは自己アップグレードを試みたが、インストール/アップグレードページはセキュリティのために無効になっている(dolibarrドキュメントディレクトリにロックファイル install.lock が存在するため)。
ClickHereToGoToApp=アプリケーションに移動するには、ここをクリックすること ClickOnLinkOrRemoveManualy=アップグレードが進行中の場合は、しばらく待つこと。そうでない場合は、次のリンクをクリックすること。この同じページが常に表示される場合は、documentsディレクトリのinstall.lockファイルを削除/名前変更する必要がある。 Loaded=ロード済み diff --git a/htdocs/langs/ja_JP/interventions.lang b/htdocs/langs/ja_JP/interventions.lang index 745bd3844d9..07cf1cb44c7 100644 --- a/htdocs/langs/ja_JP/interventions.lang +++ b/htdocs/langs/ja_JP/interventions.lang @@ -42,15 +42,15 @@ DraftFichinter=ドラフト出張 LastModifiedInterventions=最新の%s修正された出張 FichinterToProcess=処理 ための出張 TypeContact_fichinter_external_CUSTOMER=フォローアップ顧客との接触 -PrintProductsOnFichinter=タイプ「製品」(サービスだけでなく)の行も出張カードに印刷 +PrintProductsOnFichinter=タイプ「製品」(サービスだけでなく)の行も出張カードに印刷 PrintProductsOnFichinterDetails=注文から生成された出張 UseServicesDurationOnFichinter=注文から生成された出張にサービス期間を使用 UseDurationOnFichinter=出張レコードの期間フィールドを非表示に UseDateWithoutHourOnFichinter=出張レコードの日付フィールドから時間と分を非表示に InterventionStatistics=出張の統計 NbOfinterventions=出張カードの数 -NumberOfInterventionsByMonth=月ごとの出張カードの数(検証日) -AmountOfInteventionNotIncludedByDefault=出張の量はデフォルトでは利益に含まれていない(ほとんどの場合、タイムシートは費やされた時間カウント のために使用される)。それらを含めるには、ホーム - 設定 - その他 にて、オプションPROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFITを1で追加。 +NumberOfInterventionsByMonth=月ごとの出張カードの数(検証日) +AmountOfInteventionNotIncludedByDefault=出張の量はデフォルトでは利益に含まれていない(ほとんどの場合、タイムシートは費やされた時間カウント のために使用される)。それらを含めるには、ホーム - 設定 - その他 にて、オプションPROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFITを1で追加。 InterId=出張ID InterRef=出張参照。 InterDateCreation=日付作成出張 diff --git a/htdocs/langs/ja_JP/intracommreport.lang b/htdocs/langs/ja_JP/intracommreport.lang index 43a43167347..5d9bdbc2a79 100644 --- a/htdocs/langs/ja_JP/intracommreport.lang +++ b/htdocs/langs/ja_JP/intracommreport.lang @@ -1,10 +1,10 @@ Module68000Name = Intracomm レポート -Module68000Desc = Intracomm レポート管理(フランス語のDEB / DES形式のサポート) +Module68000Desc = Intracomm レポート管理(フランス語のDEB / DES形式のサポート) IntracommReportSetup = Intracommreportモジュールのセットアップ IntracommReportAbout = Intracomm レポートについて # Setup -INTRACOMMREPORT_NUM_AGREMENT=Numérod'agrément(délivréparleCISD de rattachement) +INTRACOMMREPORT_NUM_AGREMENT=Numérod'agrément(délivréparleCISD de rattachement) INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur INTRACOMMREPORT_ROLE_ACTEUR=Rôlejouéparl'acteur INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation surlesの紹介 @@ -23,8 +23,8 @@ NewDeclaration=新規宣言 Declaration=宣言 AnalysisPeriod=分析期間 TypeOfDeclaration=宣言の種類 -DEB=商品交換申告(DEB) -DES=サービス交換宣言(DES) +DEB=商品交換申告(DEB) +DES=サービス交換宣言(DES) # Export page IntracommReportTitle=ProDouane形式のXMLファイルの準備 diff --git a/htdocs/langs/ja_JP/languages.lang b/htdocs/langs/ja_JP/languages.lang index 33c1dee16eb..1a4ab927428 100644 --- a/htdocs/langs/ja_JP/languages.lang +++ b/htdocs/langs/ja_JP/languages.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=エチオピア語 Language_ar_AR=アラビア語 -Language_ar_EG=アラビア語(エジプト) +Language_ar_EG=アラビア語(エジプト) Language_ar_SA=アラビア語 Language_az_AZ=アゼルバイジャン語 Language_bn_BD=ベンガル語 -Language_bn_IN=ベンガル語(インド) +Language_bn_IN=ベンガル語(インド) Language_bg_BG=ブルガリア語 Language_bs_BA=ボスニア語 Language_ca_ES=カタルにゃ語 @@ -21,11 +21,11 @@ Language_en_AU=英語 (オーストラリア) Language_en_CA=英語 (カナダ) Language_en_GB=英語 (イギリス) Language_en_IN=英語 (インド) -Language_en_NZ=英語(ニュージーランド) -Language_en_SA=英語(サウジアラビア) -Language_en_SG=英語(シンガポール) +Language_en_NZ=英語(ニュージーランド) +Language_en_SA=英語(サウジアラビア) +Language_en_SG=英語(シンガポール) Language_en_US=英語 (アメリカ) -Language_en_ZA=英語(南アフリカ) +Language_en_ZA=英語(南アフリカ) Language_es_ES=スペイン語 Language_es_AR=スペイン語 (アルゼンチン) Language_es_BO=スペイン語 (ボリビア) @@ -33,16 +33,16 @@ Language_es_CL=スペイン語 (チリ) Language_es_CO=スペイン語 (コロンビア) Language_es_DO=スペイン語 (ドミニカ共和国) Language_es_EC=スペイン語 (エクアドル) -Language_es_GT=スペイン語(グアテマラ) -Language_es_HN=スペイン語(ホンジュラス) -Language_es_MX=スペイン語(メキシコ) +Language_es_GT=スペイン語(グアテマラ) +Language_es_HN=スペイン語(ホンジュラス) +Language_es_MX=スペイン語(メキシコ) Language_es_PA=スペイン語 (パナマ) -Language_es_PY=スペイン語(パラグアイ) -Language_es_PE=スペイン語(ペルー) -Language_es_PR=スペイン語(プエルトリコ) -Language_es_US=スペイン語(USA) -Language_es_UY=スペイン語(ウルグアイ) -Language_es_GT=スペイン語(グアテマラ) +Language_es_PY=スペイン語(パラグアイ) +Language_es_PE=スペイン語(ペルー) +Language_es_PR=スペイン語(プエルトリコ) +Language_es_US=スペイン語(USA) +Language_es_UY=スペイン語(ウルグアイ) +Language_es_GT=スペイン語(グアテマラ) Language_es_VE=スペイン語 (ベネズエラ) Language_et_EE=エストニア語 Language_eu_ES=バスク語 @@ -51,22 +51,22 @@ Language_fi_FI=フィンランド語 Language_fr_BE=フランス語 (ベルギー) Language_fr_CA=フランス語 (カナダ) Language_fr_CH=フランス語 (スイス) -Language_fr_CI=フランス語(コートジボワール) -Language_fr_CM=フランス語(カメルーン) +Language_fr_CI=フランス語(コートジボワール) +Language_fr_CM=フランス語(カメルーン) Language_fr_FR=フランス語 -Language_fr_GA=フランス語(ガボン) -Language_fr_NC=フランス(ニューカレドニア) -Language_fr_SN=フランス語(セネガル) +Language_fr_GA=フランス語(ガボン) +Language_fr_NC=フランス(ニューカレドニア) +Language_fr_SN=フランス語(セネガル) Language_fy_NL=フリジア語 Language_gl_ES=ガリシア語 Language_he_IL=ヘブライ語の -Language_hi_IN=ヒンディー語(インド) +Language_hi_IN=ヒンディー語(インド) Language_hr_HR=クロアチア語 Language_hu_HU=ハンガリー語 Language_id_ID=インドネシア語 Language_is_IS=アイスランド語 Language_it_IT=イタリア語 -Language_it_CH=イタリア語(スイス) +Language_it_CH=イタリア語(スイス) Language_ja_JP=日本語 Language_ka_GE=ジョージア語 Language_km_KH=クメール語 @@ -86,7 +86,7 @@ Language_pt_BR=ポルトガル語 (ブラジル) Language_pt_PT=ポルトガル語 Language_ro_RO=ルーマニア語 Language_ru_RU=ロシア語 -Language_ru_UA=ロシア語(ウクライナ) +Language_ru_UA=ロシア語(ウクライナ) Language_tr_TR=トルコ語 Language_sl_SI=スロベニア語 Language_sv_SV=スウエーデん語 @@ -100,6 +100,6 @@ Language_uk_UA=ウクライナ語 Language_uz_UZ=ウズベク語 Language_vi_VN=ベトナム語 Language_zh_CN=中国語 -Language_zh_TW=中国語(繁体字) -Language_zh_HK=中国語(香港) +Language_zh_TW=中国語(繁体字) +Language_zh_HK=中国語(香港) Language_bh_MY=マレー語 diff --git a/htdocs/langs/ja_JP/mailmanspip.lang b/htdocs/langs/ja_JP/mailmanspip.lang index de0737ba233..73e9bc5462b 100644 --- a/htdocs/langs/ja_JP/mailmanspip.lang +++ b/htdocs/langs/ja_JP/mailmanspip.lang @@ -10,7 +10,7 @@ SynchroSpipEnabled=Spipの更新が実行される DescADHERENT_MAILMAN_ADMINPW=Mailman管理者パスワード DescADHERENT_MAILMAN_URL=MailmanサブスクリプションのURL DescADHERENT_MAILMAN_UNSUB_URL=Mailmanのサブスクリプション解除のURL -DescADHERENT_MAILMAN_LISTS=新規メンバーの自動登録用のリスト(s)(コンマで区切る) +DescADHERENT_MAILMAN_LISTS=新規メンバーの自動登録用のリスト(s)(コンマで区切る) SPIPTitle=SPIPコンテンツ管理システム DescADHERENT_SPIP_SERVEUR=SPIPサーバー DescADHERENT_SPIP_DB=SPIPデータベース名 diff --git a/htdocs/langs/ja_JP/mails.lang b/htdocs/langs/ja_JP/mails.lang index 6106bcfd346..839296a40f7 100644 --- a/htdocs/langs/ja_JP/mails.lang +++ b/htdocs/langs/ja_JP/mails.lang @@ -10,7 +10,7 @@ MailTitle=説明 MailFrom=送信者 MailErrorsTo=エラーへ MailReply=に返信 -MailTo=受信者(単数または複数) +MailTo=受信者(単数または複数) MailToUsers=ユーザ(s)へ MailCC=にコピー MailToCCUsers=ユーザs(s)にコピーする @@ -39,7 +39,7 @@ MailingStatusSentPartialy=部分的に送信 MailingStatusSentCompletely=完全に送信 MailingStatusError=エラーが発生 MailingStatusNotSent=送信されない -MailSuccessfulySent=電子メール(%sから%sへ)の配信が正常に受け入れられた +MailSuccessfulySent=電子メール(%sから%sへ)の配信が正常に受け入れられた MailingSuccessfullyValidated=Eメールは正常に検証された MailUnsubcribe=登録を解除する MailingStatusNotContact=もう連絡しないこと @@ -52,7 +52,7 @@ ConfirmDeleteMailing=このメールを削除してもよいか? NbOfUniqueEMails=固有のメールの数 NbOfEMails=メールの数 TotalNbOfDistinctRecipients=異なる受信者の数 -NoTargetYet=受信者が(タブ '受信'に行く)はまだ定義されていない +NoTargetYet=受信者が(タブ '受信'に行く)はまだ定義されていない NoRecipientEmail=%sの受信者メールがない RemoveRecipient=受信者を削除する YouCanAddYourOwnPredefindedListHere=メールセレクタモジュールを作成するには、htdocsには、/ /モジュール/郵送/ READMEを含む参照すること。 @@ -72,10 +72,10 @@ ActivateCheckReadKey=「開封確認」および「退会」機能に使用さ EMailSentToNRecipients=%s受信者に送信される電子メール。 EMailSentForNElements=%s要素に対して送信された電子メール。 XTargetsAdded= %s受信者がターゲットリストに追加された -OnlyPDFattachmentSupported=送信するオブジェクトのPDFドキュメントがすでに生成されている場合は、電子メールに添付される。そうでない場合、電子メールは送信されない(また、このバージョンでは、大量送信の添付ファイルとしてPDFドキュメントのみがサポートされていることに注意すること)。 -AllRecipientSelected=選択された%sレコードの受信者(電子メールがわかっている場合)。 +OnlyPDFattachmentSupported=送信するオブジェクトのPDFドキュメントがすでに生成されている場合は、電子メールに添付される。そうでない場合、電子メールは送信されない(また、このバージョンでは、大量送信の添付ファイルとしてPDFドキュメントのみがサポートされていることに注意すること)。 +AllRecipientSelected=選択された%sレコードの受信者(電子メールがわかっている場合)。 GroupEmails=グループメール -OneEmailPerRecipient=受信者ごとに1つの電子メール(デフォルトでは、選択されたレコードごとに1つの電子メール) +OneEmailPerRecipient=受信者ごとに1つの電子メール(デフォルトでは、選択されたレコードごとに1つの電子メール) WarningIfYouCheckOneRecipientPerEmail=警告、このチェックボックスをオンにすると、選択した複数の異なるレコードに対して1つのメールのみが送信されるため、メッセージにレコードのデータを参照する置換変数が含まれている場合、それらを置き換えることはできなくなる。 ResultOfMailSending=大量のメール送信の結果 NbSelected=選択した番号 @@ -90,7 +90,7 @@ MailingModuleDescContactsByFunction=位置別の連絡先 MailingModuleDescEmailsFromFile=ファイルからのメール MailingModuleDescEmailsFromUser=ユーザが入力したメール MailingModuleDescDolibarrUsers=メールを持っているユーザ -MailingModuleDescThirdPartiesByCategories=サードパーティ(カテゴリ別) +MailingModuleDescThirdPartiesByCategories=サードパーティ(カテゴリ別) SendingFromWebInterfaceIsNotAllowed=Webインターフェイスからの送信は許可されていない。 EmailCollectorFilterDesc=メールを取得するには、すべてのフィルタが適合している必要がある @@ -122,7 +122,7 @@ TagCheckMail=メールの開封を追跡する TagUnsubscribe=退会リンク TagSignature=送信ユーザの署名 EMailRecipient=受信者のEメール -TagMailtoEmail=受信者の電子メール(html「mailto:」リンクを含む) +TagMailtoEmail=受信者の電子メール(html「mailto:」リンクを含む) NoEmailSentBadSenderOrRecipientEmail=メールは送信されない。送信者または受信者の電子メールが正しくない。ユーザプロファイルを確認する。 # Module Notifications Notifications=通知 @@ -130,17 +130,17 @@ NotificationsAuto=通知自動。 NoNotificationsWillBeSent=このイベントタイプと法人では、自動電子メール通知は計画されていない ANotificationsWillBeSent=1つの自動通知が電子メールで送信される SomeNotificationsWillBeSent=%s自動通知は電子メールで送信される -AddNewNotification=新規自動電子メール通知を購読する(ターゲット/イベント) -ListOfActiveNotifications=自動電子メール通知のすべてのアクティブなサブスクリプション(ターゲット/イベント)を一覧表示する +AddNewNotification=新規自動電子メール通知を購読する(ターゲット/イベント) +ListOfActiveNotifications=自動電子メール通知のすべてのアクティブなサブスクリプション(ターゲット/イベント)を一覧表示する ListOfNotificationsDone=送信されたすべての自動電子メール通知を一覧表示する MailSendSetupIs=電子メール送信の構成は「%s」に設定されている。このモードは、大量の電子メールを送信するために使用することはできない。 MailSendSetupIs2=モード'%s'を使うには、まず、管理者アカウントを使用して、メニュー%sホーム - 設定 - メール %sに移動し、パラメーター'%s 'を変更する。このモードでは、インターネットサービスプロバイダーが提供するSMTPサーバーの設定に入り、大量電子メールの機能を使用できる。 MailSendSetupIs3=SMTPサーバーの設定方法について質問がある場合は、%sに問い合わせることができる。 -YouCanAlsoUseSupervisorKeyword=キーワード__SUPERVISOREMAIL__ を追加して、ユーザのスーパーバイザーに電子メールを送信することもできる(このスーパーバイザーに電子メールが定義されている場合にのみ機能する)。 +YouCanAlsoUseSupervisorKeyword=キーワード__SUPERVISOREMAIL__ を追加して、ユーザのスーパーバイザーに電子メールを送信することもできる(このスーパーバイザーに電子メールが定義されている場合にのみ機能する)。 NbOfTargetedContacts=対象となる連絡先メールの現在の数 UseFormatFileEmailToTarget=インポートされたファイルの形式はemail; name; firstname; otherである必要がある UseFormatInputEmailToTarget= email; name; firstname; otherの形式で文字列を入力する -MailAdvTargetRecipients=受信者(高度な選択) +MailAdvTargetRecipients=受信者(高度な選択) AdvTgtTitle=入力フィールドに入力して、ターゲットとするサードパーティまたは連絡先/アドレスを事前に選択する AdvTgtSearchTextHelp=ワイルドカードとして %% を使用。たとえば、jean, joe, jim のような全アイテムを探すには、 j%% を入力、値の区切り文字として ; を使用し、値の除外として ! を使用できる。たとえば jean;joe;jim%%;!jimo;!jima%% なら、すべての jean, joe と jim で始まる文字列の内で jimo でないものと jima で始まるものを除外したすべてを意味する。 AdvTgtSearchIntHelp=間隔を使用してintまたはfloat値を選択する @@ -166,12 +166,12 @@ NoContactWithCategoryFound=カテゴリの連絡先/住所が見つからない NoContactLinkedToThirdpartieWithCategoryFound=カテゴリの連絡先/住所が見つからない OutGoingEmailSetup=送信メール InGoingEmailSetup=受信メール -OutGoingEmailSetupForEmailing=送信メール(モジュール%sの場合) +OutGoingEmailSetupForEmailing=送信メール(モジュール%sの場合) DefaultOutgoingEmailSetup=グローバルな送信メール設定と同じ構成 Information=情報 ContactsWithThirdpartyFilter=サードパーティのフィルタを使用した連絡先 Unanswered=未回答 Answered=答えた -IsNotAnAnswer=回答でない(最初のメール) +IsNotAnAnswer=回答でない(最初のメール) IsAnAnswer=最初のメールの回答 RecordCreatedByEmailCollector=電子メールコレクター%sによって電子メール%sから作成されたレコード diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 88afad57b28..b88e6ef7e6e 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -85,7 +85,7 @@ FileTransferComplete=ファイルが正常にアップロードされました FilesDeleted=ファイルが正常に削除されました FileWasNotUploaded=ファイルが添付ファイルが選択されているが、まだアップロードされませんでした。このために "添付ファイル"をクリックしてください。 NbOfEntries=エントリー番号 -GoToWikiHelpPage=オンラインヘルプを読む(インターネットアクセスが必要) +GoToWikiHelpPage=オンラインヘルプを読む(インターネットアクセスが必要) GoToHelpPage=ヘルプを見る DedicatedPageAvailable=現在の画面に関連する専用のヘルプページがある HomePage=ホームページ @@ -114,13 +114,13 @@ ReturnCodeLastAccessInError=最新のデータベースアクセス要求エラ InformationLastAccessInError=最新のデータベースアクセス要求エラーに関する情報 DolibarrHasDetectedError=Dolibarrで技術的なエラーを検出 YouCanSetOptionDolibarrMainProdToZero=詳細については、ログファイルを読み取るか、構成ファイルでオプション$ dolibarr_main_prodを「0」に設定してください。 -InformationToHelpDiagnose=この情報は診断目的に役立ちます(オプション$ dolibarr_main_prodを「1」に設定してそのような通知を削除できます) +InformationToHelpDiagnose=この情報は診断目的に役立ちます(オプション$ dolibarr_main_prodを「1」に設定してそのような通知を削除できます) MoreInformation=もっと知りたい TechnicalInformation=技術的情報 TechnicalID=技術ID LineID=行ID -NotePublic=注(パブリック) -NotePrivate=(注)(プライベート) +NotePublic=注(パブリック) +NotePrivate=(注)(プライベート) PrecisionUnitIsLimitedToXDecimals=Dolibarrの設定により、単価の精度は小数点以下%s桁。 DoTest=テスト ToFilter=フィルタ @@ -289,7 +289,7 @@ DateProcess=処理日 DateBuild=日付をビルドレポート DatePayment=支払日 DateApprove=承認日 -DateApprove2=承認日(2回目の承認) +DateApprove2=承認日(2回目の承認) RegistrationDate=登録日 UserCreation=作成ユーザー UserModification=変更ユーザー @@ -353,31 +353,31 @@ Default=デフォルト DefaultValue=デフォルト値 DefaultValues=デフォルト値/フィルタ/ソート Price=価格 -PriceCurrency=価格(通貨) +PriceCurrency=価格(通貨) UnitPrice=単価 -UnitPriceHT=単価(除く) -UnitPriceHTCurrency=単価(除く)(通貨) +UnitPriceHT=単価(除く) +UnitPriceHTCurrency=単価(除く)(通貨) UnitPriceTTC=単価 PriceU=UP -PriceUHT=UP(純額) -PriceUHTCurrency=U.P(通貨) -PriceUTTC=アップ。 (税込) +PriceUHT=UP(純額) +PriceUHTCurrency=U.P(通貨) +PriceUTTC=アップ。 (税込) Amount=量 AmountInvoice=請求額 AmountInvoiced=請求額 -AmountInvoicedHT=請求額(税抜) -AmountInvoicedTTC=請求額(税込) +AmountInvoicedHT=請求額(税抜) +AmountInvoicedTTC=請求額(税込) AmountPayment=支払金額 -AmountHTShort=金額(除く) -AmountTTCShort=金額(税込) -AmountHT=金額(税込) -AmountTTC=金額(税込) +AmountHTShort=金額(除く) +AmountTTCShort=金額(税込) +AmountHT=金額(税込) +AmountTTC=金額(税込) AmountVAT=金額税 MulticurrencyAlreadyPaid=すでに支払われた元の通貨 MulticurrencyRemainderToPay=元の通貨で支払いを続ける MulticurrencyPaymentAmount=お支払い金額、元の通貨 -MulticurrencyAmountHT=金額(税抜き)、元の通貨 -MulticurrencyAmountTTC=金額(税込み)、元の通貨 +MulticurrencyAmountHT=金額(税抜き)、元の通貨 +MulticurrencyAmountTTC=金額(税込み)、元の通貨 MulticurrencyAmountVAT=金額税、元の通貨 MulticurrencySubPrice=サブプライス多通貨の金額 AmountLT1=税額2 @@ -386,20 +386,20 @@ AmountLT1ES=量RE AmountLT2ES=量IRPF AmountTotal=合計金額 AmountAverage=平均額 -PriceQtyMinHT=価格数量最小(税抜) -PriceQtyMinHTCurrency=価格数量最小(税抜き)(通貨) +PriceQtyMinHT=価格数量最小(税抜) +PriceQtyMinHTCurrency=価格数量最小(税抜き)(通貨) Percentage=割合 Total=合計 SubTotal=小計 -TotalHTShort=合計(除く) -TotalHT100Short=合計100%%(除く) -TotalHTShortCurrency=合計(通貨を除く) -TotalTTCShort=合計(税込) -TotalHT=合計(税込) -TotalHTforthispage=このページの合計(税抜き) +TotalHTShort=合計(除く) +TotalHT100Short=合計100%%(除く) +TotalHTShortCurrency=合計(通貨を除く) +TotalTTCShort=合計(税込) +TotalHT=合計(税込) +TotalHTforthispage=このページの合計(税抜き) Totalforthispage=このページの合計 -TotalTTC=合計(税込) -TotalTTCToYourCredit=あなたのクレジットの合計(税込) +TotalTTC=合計(税込) +TotalTTCToYourCredit=あなたのクレジットの合計(税込) TotalVAT=合計税 TotalVATIN=合計IGST TotalLT1=総税2 @@ -511,7 +511,7 @@ Quantity=量 Qty=個数 ChangedBy=によって変更され ApprovedBy=によって承認された -ApprovedBy2=承認者(2回目の承認) +ApprovedBy2=承認者(2回目の承認) Approved=承認された Refused=拒否 ReCalculate=再計算 @@ -721,7 +721,7 @@ MenuAWStats=AWStatsは MenuMembers=メンバー MenuAgendaGoogle=Googleの議題 MenuTaxesAndSpecialExpenses=税金|特別経費 -ThisLimitIsDefinedInSetup=Dolibarr制限(メニューホームセットアップ·セキュリティ):%s KB、PHP制限:%s KB +ThisLimitIsDefinedInSetup=Dolibarr制限(メニューホームセットアップ·セキュリティ):%s KB、PHP制限:%s KB NoFileFound=このディレクトリに保存されない文書ません CurrentUserLanguage=現在の言語 CurrentTheme=現在のテーマ @@ -737,7 +737,7 @@ DateOfSignature=署名日 HidePassword=隠されたパスワードを使用してコマンドを表示する UnHidePassword=明確なパスワードを使用して実際のコマンドを表示する Root=ルート -RootOfMedias=パブリックメディアのルート(/ medias) +RootOfMedias=パブリックメディアのルート(/ medias) Informations=情報 Page=ページ Notes=注釈 @@ -760,7 +760,7 @@ ValidatePayment=支払いを検証する CreditOrDebitCard=クレジットカードまたはデビットカード FieldsWithAreMandatory=%sのフィールドは必須です FieldsWithIsForPublic= %s のフィールドは、メンバーの公開リストに表示されます。これを望まない場合は、「公開」ボックスのチェックを外してください。 -AccordingToGeoIPDatabase=(GeoIP変換による) +AccordingToGeoIPDatabase=(GeoIP変換による) Line=ライン NotSupported=サポートされていません RequiredField=必須フィールド @@ -828,7 +828,7 @@ Access=アクセス SelectAction=アクションを選択 SelectTargetUser=ターゲットユーザー/従業員を選択します HelpCopyToClipboard=Ctrl + Cを使用してクリップボードにコピーします -SaveUploadedFileWithMask=「%s」(それ以外の場合は「%s」)という名前でファイルをサーバーに保存します +SaveUploadedFileWithMask=「%s」(それ以外の場合は「%s」)という名前でファイルをサーバーに保存します OriginFileName=元のファイル名 SetDemandReason=ソースを設定 SetBankAccount=銀行口座を定義する @@ -862,7 +862,7 @@ Sincerely=心から ConfirmDeleteObject=このオブジェクトを削除してもよろしいですか? DeleteLine=行を削除 ConfirmDeleteLine=この行を削除してもよろしいですか? -ErrorPDFTkOutputFileNotFound=エラー:ファイルは生成されませんでした。 'pdftk'コマンドが$ PATH環境変数(linux / unixのみ)に含まれるディレクトリーにインストールされていることを確認するか、システム管理者に連絡してください。 +ErrorPDFTkOutputFileNotFound=エラー:ファイルは生成されませんでした。 'pdftk'コマンドが$ PATH環境変数(linux / unixのみ)に含まれるディレクトリーにインストールされていることを確認するか、システム管理者に連絡してください。 NoPDFAvailableForDocGenAmongChecked=チェックされたレコードの中でドキュメント生成に使用できるPDFがありませんでした TooManyRecordForMassAction=マスアクション用に選択されたレコードが多すぎます。アクションは、%sレコードのリストに制限されています。 NoRecordSelected=レコードが選択されていません @@ -897,8 +897,8 @@ ViewAccountList=元帳を表示 ViewSubAccountList=補助科目元帳を表示 RemoveString=文字列 '%s'を削除します SomeTranslationAreUncomplete=提供された言語の一部において、翻訳がほんの部分的だったり誤っていたりなの。自分の言語の訂正を助けたい人は、https://transifex.com/projects/p/dolibarr/ に登録して、改善案を追加してね。 -DirectDownloadLink=直接ダウンロードリンク(公開/外部) -DirectDownloadInternalLink=直接ダウンロードリンク(ログに記録する必要があり、権限が必要です) +DirectDownloadLink=直接ダウンロードリンク(公開/外部) +DirectDownloadInternalLink=直接ダウンロードリンク(ログに記録する必要があり、権限が必要です) Download=ダウンロード DownloadDocument=ドキュメントをダウンロード ActualizeCurrency=為替レートを更新する @@ -1003,7 +1003,7 @@ Select2NotFound=結果が見つかりません Select2Enter=入る Select2MoreCharacter=以上のキャラクター Select2MoreCharacters=以上の文字 -Select2MoreCharactersMore= 検索構文:
| OR (| B)と
* 任意の文字(* b)の
^ スタートと(^ AB)
$ エンド( ab $)
+Select2MoreCharactersMore= 検索構文:
| OR (| B)

* 任意の文字(* b)の
^ スタートと(^ AB)
$ エンド( ab $)
Select2LoadingMoreResults=より多くの結果を読み込んでいます... Select2SearchInProgress=進行中の検索... SearchIntoThirdparties=サードパーティ diff --git a/htdocs/langs/ja_JP/margins.lang b/htdocs/langs/ja_JP/margins.lang index e2cda1b797d..ab5f6299a45 100644 --- a/htdocs/langs/ja_JP/margins.lang +++ b/htdocs/langs/ja_JP/margins.lang @@ -22,7 +22,7 @@ ProductService=製品やサービス AllProducts=すべての製品とサービス ChooseProduct/Service=製品またはサービスを選択すること ForceBuyingPriceIfNull=定義されていない場合、購入/原価を販売価格に強制する -ForceBuyingPriceIfNullDetails=購入/原価が定義されておらず、このオプションが「オン」の場合、利益はオンラインでゼロになる(購入/原価=販売価格)。それ以外の場合(「オフ」)、利益は提案されたデフォルトと等しくなる。 +ForceBuyingPriceIfNullDetails=購入/原価が定義されておらず、このオプションが「オン」の場合、利益はオンラインでゼロになる(購入/原価=販売価格)。それ以外の場合(「オフ」)、利益は提案されたデフォルトと等しくなる。 MARGIN_METHODE_FOR_DISCOUNT=グローバル割引の利益方式 UseDiscountAsProduct=製品として UseDiscountAsService=サービスとして @@ -30,16 +30,16 @@ UseDiscountOnTotal=小計について MARGIN_METHODE_FOR_DISCOUNT_DETAILS=グローバル割引を製品、サービスとして扱うか、利益計算の小計としてのみ扱うかを定義する。 MARGIN_TYPE=利益計算のためにデフォルトで提案された購入/原価 MargeType1=最高のベンダー価格の利益 -MargeType2=加重平均価格(WAP)の利益 +MargeType2=加重平均価格(WAP)の利益 MargeType3=原価利益 -MarginTypeDesc=*ベストバイイング価格の利益=販売価格-製品カードで定義されたベストベンダー価格
*加重平均価格(WAP)の利益=販売価格-製品加重平均価格(WAP)またはWAPがまだ定義されていない場合のベストベンダー価格
*利益onコスト価格=販売価格-コスト価格が定義されていない場合は製品カードまたはWAPで定義されたコスト価格、またはWAPがまだ定義されていない場合は最良のベンダー価格 +MarginTypeDesc=*ベストバイイング価格の利益=販売価格-製品カードで定義されたベストベンダー価格
*加重平均価格(WAP)の利益=販売価格-製品加重平均価格(WAP)またはWAPがまだ定義されていない場合のベストベンダー価格
*利益onコスト価格=販売価格-コスト価格が定義されていない場合は製品カードまたはWAPで定義されたコスト価格、またはWAPがまだ定義されていない場合は最良のベンダー価格 CostPrice=原価 UnitCharges=ユニット料金 Charges=料金 AgentContactType=商業代理店の連絡先タイプ -AgentContactTypeDetails=連絡先/住所ごとの利益レポートに使用される連絡先タイプ(請求書にリンクされている)を定義する。ほとんどの場合、連絡先が請求書で明示的に定義されていない可能性があるため、連絡先の統計の読み取りは信頼できないことに注意すること。 +AgentContactTypeDetails=連絡先/住所ごとの利益レポートに使用される連絡先タイプ(請求書にリンクされている)を定義する。ほとんどの場合、連絡先が請求書で明示的に定義されていない可能性があるため、連絡先の統計の読み取りは信頼できないことに注意すること。 rateMustBeNumeric=レートは数値でなければなりません markRateShouldBeLesserThan100=マーク率は100未満である必要がある ShowMarginInfos=利益情報を表示する CheckMargins=利益の詳細 -MarginPerSaleRepresentativeWarning=ユーザーあたりの利益のレポートは、サードパーティと営業担当者の間のリンクを使用して、各営業担当者の利益を計算する。一部のサードパーティには専任の営業担当者がいない場合や、一部のサードパーティが複数にリンクされている場合があるため、一部の金額はこのレポートに含まれない場合があり(営業担当者がいない場合)、一部は異なる行に表示される場合がある(営業担当者ごとに) 。 +MarginPerSaleRepresentativeWarning=ユーザーあたりの利益のレポートは、サードパーティと営業担当者の間のリンクを使用して、各営業担当者の利益を計算する。一部のサードパーティには専任の営業担当者がいない場合や、一部のサードパーティが複数にリンクされている場合があるため、一部の金額はこのレポートに含まれない場合があり(営業担当者がいない場合)、一部は異なる行に表示される場合がある(営業担当者ごとに) 。 diff --git a/htdocs/langs/ja_JP/members.lang b/htdocs/langs/ja_JP/members.lang index d449616166c..bbea9f1697c 100644 --- a/htdocs/langs/ja_JP/members.lang +++ b/htdocs/langs/ja_JP/members.lang @@ -11,13 +11,13 @@ MembersTickets=メンバチケット FundationMembers=Foundationのメンバ ListOfValidatedPublicMembers=検証済みのパブリックメンバのリスト ErrorThisMemberIsNotPublic=このメンバは、パブリックではない -ErrorMemberIsAlreadyLinkedToThisThirdParty=別のメンバ(名前:%s、ログイン:%s)は既に取引先製の%sにリンクされている。第三者が唯一のメンバ(およびその逆)にリンクすることはできないので、最初にこのリンクを削除する。 +ErrorMemberIsAlreadyLinkedToThisThirdParty=別のメンバ(名前:%s、ログイン:%s)は既に取引先製の%sにリンクされている。第三者が唯一のメンバ(およびその逆)にリンクすることはできないので、最初にこのリンクを削除する。 ErrorUserPermissionAllowsToLinksToItselfOnly=セキュリティ上の理由から、あなたはすべてのユーザーが自分のものでないユーザーにメンバをリンクすることができるように編集する権限を付与する必要がある。 SetLinkToUser=Dolibarrユーザーへのリンク SetLinkToThirdParty=Dolibarr第三者へのリンク MembersCards=メンバの名刺 MembersList=メンバのリスト -MembersListToValid=ドラフトのメンバのリスト(検証する) +MembersListToValid=ドラフトのメンバのリスト(検証する) MembersListValid=有効なメンバのリスト MembersListUpToDate=最新のサブスクリプションを持つ有効なメンバのリスト MembersListNotUpToDate=サブスクリプションが古くなっている有効なメンバのリスト @@ -39,9 +39,9 @@ MemberType=メンバ型 MemberTypeId=メンバの種別ID MemberTypeLabel=メンバの種別ラベル MembersTypes=メンバの種類 -MemberStatusDraft=ドラフト(検証する必要がある) +MemberStatusDraft=ドラフト(検証する必要がある) MemberStatusDraftShort=ドラフト -MemberStatusActive=検証(サブスクリプションを待っている) +MemberStatusActive=検証(サブスクリプションを待っている) MemberStatusActiveShort=検証 MemberStatusActiveLate=サブスクリプションの有効期限が切れた MemberStatusActiveLateShort=期限切れの @@ -51,7 +51,7 @@ MemberStatusResiliated=終了メンバ MemberStatusResiliatedShort=終了しました MembersStatusToValid=ドラフトのメンバ MembersStatusResiliated=終了したメンバ -MemberStatusNoSubscription=検証済み(サブスクリプションは不要) +MemberStatusNoSubscription=検証済み(サブスクリプションは不要) MemberStatusNoSubscriptionShort=検証 SubscriptionNotNeeded=サブスクリプションは必要ない NewCotisation=新規貢献 @@ -64,7 +64,7 @@ ConfirmDeleteMemberType=このメンバ種別を削除してもよいか? MemberTypeDeleted=メンバ種別が削除された MemberTypeCanNotBeDeleted=メンバ種別は削除できない NewSubscription=新規サブスクリプション -NewSubscriptionDesc=このフォームで、財団の新規メンバとして、サブスクリプションを記録することができる。あなたが(既にメンバであり)、サブスクリプションを更新したい場合は、電子メール%sではなく財団理事会に連絡すること。 +NewSubscriptionDesc=このフォームで、財団の新規メンバとして、サブスクリプションを記録することができる。あなたが(既にメンバであり)、サブスクリプションを更新したい場合は、電子メール%sではなく財団理事会に連絡すること。 Subscription=サブスクリプション Subscriptions=サブスクリプション SubscriptionLate=遅い @@ -85,7 +85,7 @@ Reenable=再度有効にする ResiliateMember=メンバを終了する ConfirmResiliateMember=このメンバを終了してもよいか? DeleteMember=メンバを削除する -ConfirmDeleteMember=このメンバを削除してもよいか(メンバを削除すると、すべてのサブスクリプションが削除される)。 +ConfirmDeleteMember=このメンバを削除してもよいか(メンバを削除すると、すべてのサブスクリプションが削除される)。 DeleteSubscription=サブスクリプションを削除する ConfirmDeleteSubscription=このサブスクリプションを削除してもよいか? Filehtpasswd=htpasswdファイル @@ -128,7 +128,7 @@ CardContent=あなたの会員カードの内容 ThisIsContentOfYourMembershipRequestWasReceived=メンバシップリクエストを受信したことをお知らせする。

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

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

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

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

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

DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=ゲストの自動登録の場合に受信する通知メールの件名 DescADHERENT_AUTOREGISTER_NOTIF_MAIL=ゲストの自動登録の場合に受信する通知メールの内容 @@ -142,8 +142,8 @@ DescADHERENT_ETIQUETTE_TYPE=ラベルページのフォーマット DescADHERENT_ETIQUETTE_TEXT=メンバのアドレスシートに印刷されたテキスト DescADHERENT_CARD_TYPE=カードのページのフォーマット DescADHERENT_CARD_HEADER_TEXT=メンバカードの上に印刷されたテキスト -DescADHERENT_CARD_TEXT=テキストは、(左揃え)メンバカードに印刷 -DescADHERENT_CARD_TEXT_RIGHT=テキストは(右揃え)のメンバカードに印刷 +DescADHERENT_CARD_TEXT=テキストは、(左揃え)メンバカードに印刷 +DescADHERENT_CARD_TEXT_RIGHT=テキストは(右揃え)のメンバカードに印刷 DescADHERENT_CARD_FOOTER_TEXT=メンバカードの下部に印刷されたテキスト ShowTypeCard=種別 "%s"を表示 HTPasswordExport=htpasswordファイルの生成 @@ -156,9 +156,9 @@ MoreActionBankViaInvoice=請求書と銀行口座での支払いを作成する MoreActionInvoiceOnly=なし支払いで請求書を作成する。 LinkToGeneratedPages=訪問カードを生成 LinkToGeneratedPagesDesc=この画面では、すべてのメンバまたは特定のメンバのためのビジネスカードを持つPDFファイルを生成することができる。 -DocForAllMembersCards=すべてのメンバ(:%sフォーマット出力の実際の設定)のためのビジネスカードを生成 -DocForOneMemberCards=特定のメンバの名刺を(:%s出力実際に設定するためのフォーマット)を生成 -DocForLabels=アドレスシート(:%s出力の形式は実際の設定)を生成 +DocForAllMembersCards=すべてのメンバ(:%sフォーマット出力の実際の設定)のためのビジネスカードを生成 +DocForOneMemberCards=特定のメンバの名刺を(:%s出力実際に設定するためのフォーマット)を生成 +DocForLabels=アドレスシート(:%s出力の形式は実際の設定)を生成 SubscriptionPayment=サブスクリプション費用の支払い LastSubscriptionDate=最新のサブスクリプション支払いの日付 LastSubscriptionAmount=最新のサブスクリプションの量 @@ -184,7 +184,7 @@ NewMemberForm=新規メンバフォーム SubscriptionsStatistics=サブスクリプションの統計 NbOfSubscriptions=サブスクリプションの数 AmountOfSubscriptions=サブスクリプションの量 -TurnoverOrBudget=売上高(法人の場合)または予算(基礎用) +TurnoverOrBudget=売上高(法人の場合)または予算(基礎用) DefaultAmount=サブスクリプションのデフォルトの量 CanEditAmount=訪問者は、そのサブスクリプションの量を選択/編集することができる MEMBER_NEWFORM_PAYONLINE=統合されたオンライン決済のページにジャンプ @@ -200,7 +200,7 @@ SubscriptionRecorded=サブスクリプションが記録された NoEmailSentToMember=メンバにメールが送信されません EmailSentToMember=%sでメンバに送信された電子メール SendReminderForExpiredSubscriptionTitle=期限切れのサブスクリプションについてメールでリマインダーを送信する -SendReminderForExpiredSubscription=サブスクリプションの有効期限が近づいたときに、メンバにメールでリマインダーを送信する(パラメーターは、リマインダーを送信するサブスクリプションの終了までの日数。セミコロンで区切った日数のリストにすることができる。 例:'10; 5; 0; -5') -MembershipPaid=現在の期間に支払われたメンバシップ(%sまで) +SendReminderForExpiredSubscription=サブスクリプションの有効期限が近づいたときに、メンバにメールでリマインダーを送信する(パラメーターは、リマインダーを送信するサブスクリプションの終了までの日数。セミコロンで区切った日数のリストにすることができる。 例:'10; 5; 0; -5') +MembershipPaid=現在の期間に支払われたメンバシップ(%sまで) YouMayFindYourInvoiceInThisEmail=このメールに請求書が添付されている場合がある XMembersClosed=%sメンバ(s)がクローズした diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index 91866a353f1..cd03bfe05a8 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -1,8 +1,8 @@ # Dolibarr language file - Source file is en_US - loan ModuleBuilderDesc=このツールは、経験豊富なユーザーまたは開発者のみが使用する必要がある。独自のモジュールを構築または編集するためのユーティリティを提供する。代替の手動開発のドキュメントは、にある。 -EnterNameOfModuleDesc=作成するモジュール/アプリケーションの名前をスペースなしで入力する。大文字を使用して単語を区切る(例:MyModule、EcommerceForShop、SyncWithMySystem ...) -EnterNameOfObjectDesc=作成するオブジェクトの名前をスペースなしで入力する。大文字を使用して単語を区切る(例:MyObject、Student、Teacher ...)。 CRUDクラスファイルだけでなく、APIファイル、オブジェクトを一覧表示/追加/編集/削除するページ、およびSQLファイルが生成される。 -ModuleBuilderDesc2=モジュールが生成/編集されるパス(%sに定義された外部モジュールの最初のディレクトリ): %s +EnterNameOfModuleDesc=作成するモジュール/アプリケーションの名前をスペースなしで入力する。大文字を使用して単語を区切る(例:MyModule、EcommerceForShop、SyncWithMySystem ...) +EnterNameOfObjectDesc=作成するオブジェクトの名前をスペースなしで入力する。大文字を使用して単語を区切る(例:MyObject、Student、Teacher ...)。 CRUDクラスファイルだけでなく、APIファイル、オブジェクトを一覧表示/追加/編集/削除するページ、およびSQLファイルが生成される。 +ModuleBuilderDesc2=モジュールが生成/編集されるパス(%sに定義された外部モジュールの最初のディレクトリ): %s ModuleBuilderDesc3=生成された/編集可能なモジュールが見つかった: %s ModuleBuilderDesc4=ファイル%s がモジュールディレクトリのルートに存在する場合、モジュールは「編集可能」として検出される。 NewModule=新規モジュール @@ -11,18 +11,18 @@ ModuleKey=モジュールキー ObjectKey=オブジェクトキー ModuleInitialized=モジュールが初期化された FilesForObjectInitialized=初期化された新規オブジェクト '%s'のファイル -FilesForObjectUpdated=オブジェクト「%s」のファイルが更新された(.sqlファイルおよび.class.phpファイル) +FilesForObjectUpdated=オブジェクト「%s」のファイルが更新された(.sqlファイルおよび.class.phpファイル) ModuleBuilderDescdescription=モジュールを説明するすべての一般情報をここに入力する。 -ModuleBuilderDescspecifications=まだ他のタブに構造化されていないモジュール仕様の詳細説明をここに入力できる。したがって、開発するすべてのルールに簡単にアクセスできる。また、このテキストコンテンツは、生成されたドキュメントに含まれる(最後のタブを参照)。 Markdown形式を使用できるが、Asciidoc形式を使用することをお勧めする(.mdと.asciidocの比較: http://asciidoctor.org/docs/user-manual/#compared-to-markdown )。 +ModuleBuilderDescspecifications=まだ他のタブに構造化されていないモジュール仕様の詳細説明をここに入力できる。したがって、開発するすべてのルールに簡単にアクセスできる。また、このテキストコンテンツは、生成されたドキュメントに含まれる(最後のタブを参照)。 Markdown形式を使用できるが、Asciidoc形式を使用することをお勧めする(.mdと.asciidocの比較: http://asciidoctor.org/docs/user-manual/#compared-to-markdown )。 ModuleBuilderDescobjects=ここで、モジュールで管理するオブジェクトを定義する。 CRUD DAOクラス、SQLファイル、オブジェクトのレコードを一覧表示するページ、レコードを作成/編集/表示するためのページ、およびAPIが生成される。 ModuleBuilderDescmenus=このタブは、モジュールによって提供されるメニューエントリを定義するためのもの。 ModuleBuilderDescpermissions=このタブは、モジュールに提供する新規権限を定義するためのもの。 ModuleBuilderDesctriggers=これは、モジュールによって提供されるトリガーのビュー。トリガーされたビジネスイベントの起動時に実行されるコードを含めるには、このファイルを編集するだけ。 ModuleBuilderDeschooks=このタブはフック専用。 ModuleBuilderDescwidgets=このタブは、ウィジェットの管理/構築専用。 -ModuleBuilderDescbuildpackage=ここで、モジュールの「配布準備完了」パッケージファイル(正規化された.zipファイル)と「配布準備完了」ドキュメントファイルを生成できる。ボタンをクリックするだけで、パッケージまたはドキュメントファイルを作成できる。 -EnterNameOfModuleToDeleteDesc=モジュールを削除できる。警告:モジュールのすべてのコーディングファイル(手動で生成または作成されたもの)および構造化されたデータとドキュメントは削除される! -EnterNameOfObjectToDeleteDesc=オブジェクトを削除できる。警告:オブジェクトに関連するすべてのコーディングファイル(手動で生成または作成されたもの)は削除される! +ModuleBuilderDescbuildpackage=ここで、モジュールの「配布準備完了」パッケージファイル(正規化された.zipファイル)と「配布準備完了」ドキュメントファイルを生成できる。ボタンをクリックするだけで、パッケージまたはドキュメントファイルを作成できる。 +EnterNameOfModuleToDeleteDesc=モジュールを削除できる。警告:モジュールのすべてのコーディングファイル(手動で生成または作成されたもの)および構造化されたデータとドキュメントは削除される! +EnterNameOfObjectToDeleteDesc=オブジェクトを削除できる。警告:オブジェクトに関連するすべてのコーディングファイル(手動で生成または作成されたもの)は削除される! DangerZone=危険区域 BuildPackage=パッケージをビルドする BuildPackageDesc=アプリケーションのzipパッケージを生成して、Dolibarrで配布する準備を整えることができる。また、 DoliStore.comのようなマーケットプレイスで配布または販売することもできる。 @@ -42,7 +42,7 @@ PageForDocumentTab=ドキュメントタブのPHPページ PageForNoteTab=メモタブのPHPページ PageForContactTab=連絡先タブのPHPページ PathToModulePackage=モジュール/アプリケーションパッケージのzipへのパス -PathToModuleDocumentation=モジュール/アプリケーションドキュメントのファイルへのパス(%s) +PathToModuleDocumentation=モジュール/アプリケーションドキュメントのファイルへのパス(%s) SpaceOrSpecialCharAreNotAllowed=スペースや特殊文字は使用できない。 FileNotYetGenerated=ファイルはまだ生成されていない RegenerateClassAndSql=.classファイルと.sqlファイルの強制更新 @@ -52,7 +52,7 @@ LanguageFile=言語のファイル ObjectProperties=オブジェクトのプロパティ ConfirmDeleteProperty=プロパティ%s を削除してもよいか?これにより、PHPクラスのコードが変更されるが、オブジェクトのテーブル定義から列も削除される。 NotNull=NULLではない -NotNullDesc=1 =データベースをNOTNULLに設定する。 -1 = null値を許可し、空( ''または0)の場合は値をNULLに強制する。 +NotNullDesc=1 =データベースをNOTNULLに設定する。 -1 = null値を許可し、空( ''または0)の場合は値をNULLに強制する。 SearchAll=「すべて検索」に使用 DatabaseIndex=データベースインデックス FileAlreadyExists=ファイル%sはすでに存在する @@ -73,7 +73,7 @@ SqlFileExtraFields=補完属性のSQLファイル SqlFileKey=キーのSQLファイル SqlFileKeyExtraFields=補完的な属性のキーのSQLファイル AnObjectAlreadyExistWithThisNameAndDiffCase=この名前と別の大文字小文字のオブジェクトはすでに存在する -UseAsciiDocFormat=Markdown形式を使用できるが、Asciidoc形式を使用することをお勧めする(.mdと.asciidocの比較: http://asciidoctor.org/docs/user-manual/#compared-to-markdown ) +UseAsciiDocFormat=Markdown形式を使用できるが、Asciidoc形式を使用することをお勧めする(.mdと.asciidocの比較: http://asciidoctor.org/docs/user-manual/#compared-to-markdown ) IsAMeasure=尺度は DirScanned=スキャンされたディレクトリ NoTrigger=トリガーなし @@ -83,20 +83,20 @@ ListOfMenusEntries=メニューエントリのリスト ListOfDictionariesEntries=辞書エントリのリスト ListOfPermissionsDefined=定義された権限のリスト SeeExamples=こちらの例をご覧ください -EnabledDesc=このフィールドをアクティブにする条件(例:1または$ conf-> global-> MYMODULE_MYOPTION) -VisibleDesc=フィールドは表示されているか? (例:0 =表示されない、1 =リストおよび作成/更新/表示フォームで表示、2 =リストでのみ表示、3 =作成/更新/表示フォームでのみ表示(リストではない)、4 =リストおよび更新/表示フォームでのみ表示(作成しない)、5 =リストおよび表示フォームでのみ表示(作成しない、更新しない)

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

これは、次のような式にできる。例:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:
($user->rights->holiday->define_holiday ? 1 : 0) +EnabledDesc=このフィールドをアクティブにする条件(例:1または$ conf-> global-> MYMODULE_MYOPTION) +VisibleDesc=フィールドは表示されているか? (例:0 =表示されない、1 =リストおよび作成/更新/表示フォームで表示、2 =リストでのみ表示、3 =作成/更新/表示フォームでのみ表示(リストではない)、4 =リストおよび更新/表示フォームでのみ表示(作成しない)、5 =リストおよび表示フォームでのみ表示(作成しない、更新しない)

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

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

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

ドキュメント行に対して :
0 = 非表示
1 = カラム内で表示
3 = 説明欄の後の行説明カラムの中で表示
4 = 空でない場合のみ、説明欄の後の行説明カラムの中で表示 DisplayOnPdf=PDFで表示 -IsAMeasureDesc=フィールドの値を累積して、合計をリストに入れることはできるか? (例:1または0) -SearchAllDesc=クイック検索ツールから検索するためにフィールドが使用されているか? (例:1または0) +IsAMeasureDesc=フィールドの値を累積して、合計をリストに入れることはできるか? (例:1または0) +SearchAllDesc=クイック検索ツールから検索するためにフィールドが使用されているか? (例:1または0) SpecDefDesc=他のタブでまだ定義されていない、モジュールで提供するすべてのドキュメントをここに入力する。豊富な.asciidoc構文である.md以上を使用できる。 LanguageDefDesc=このファイルに、各言語ファイルのすべてのキーと翻訳を入力する。 MenusDefDesc=モジュールが提供するメニューをここで定義する DictionariesDefDesc=モジュールが提供する辞書をここで定義する PermissionsDefDesc=モジュールによって提供される新規権限をここで定義する -MenusDefDescTooltip=モジュール/アプリケーションによって提供されるメニューは、モジュール記述子ファイルの配列 $ this-> menusに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義されると(およびモジュールが再アクティブ化されると)、メニューは%sの管理者ユーザーが使用できるメニューエディターにも表示される。 -DictionariesDefDescTooltip=モジュール/アプリケーションによって提供されるディクショナリは、モジュール記述子ファイルの配列 $ this-> dictionariesに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義(およびモジュールの再アクティブ化)が完了すると、%sの管理者ユーザーには辞書もセットアップ領域に表示される。 -PermissionsDefDescTooltip=モジュール/アプリケーションによって提供されるアクセス許可は、配列 $ this-> rightsにモジュール記述子ファイルに定義される。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義されると(およびモジュールが再アクティブ化されると)、アクセス許可はデフォルトのアクセス許可セットアップ%sに表示される。 +MenusDefDescTooltip=モジュール/アプリケーションによって提供されるメニューは、モジュール記述子ファイルの配列 $ this-> menusに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義されると(およびモジュールが再アクティブ化されると)、メニューは%sの管理者ユーザーが使用できるメニューエディターにも表示される。 +DictionariesDefDescTooltip=モジュール/アプリケーションによって提供されるディクショナリは、モジュール記述子ファイルの配列 $ this-> dictionariesに定義されている。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義(およびモジュールの再アクティブ化)が完了すると、%sの管理者ユーザーには辞書もセットアップ領域に表示される。 +PermissionsDefDescTooltip=モジュール/アプリケーションによって提供されるアクセス許可は、配列 $ this-> rightsにモジュール記述子ファイルに定義される。このファイルを手動で編集するか、埋め込みエディターを使用できる。

注:定義されると(およびモジュールが再アクティブ化されると)、アクセス許可はデフォルトのアクセス許可セットアップ%sに表示される。 HooksDefDesc=定義する:管理したいフックのコンテキストを module_parts['hooks'] プロパティのモジュール記述子の中に。 (コンテキストのリストは、コアコードで 'initHooks(' を検索すると見つかる).
編集する:フックされた関数のコードを追加するためのフックファイルを。 (フック可能な関数は、コアコードで 'executeHooks' を検索すると見つかる). TriggerDefDesc=実行されるビジネスイベントごとに実行するコードをトリガーファイルで定義する。 SeeIDsInUse=インストールで使用されているIDを確認する @@ -105,8 +105,8 @@ ToolkitForDevelopers=Dolibarr開発者向けのツールキット TryToUseTheModuleBuilder=SQLとPHPの知識がある場合は、ネイティブモジュールビルダーウィザードを使用できる。
モジュール%s を有効にし、右上のメニューでをクリックしてウィザードを使用する。
警告:これは高度な開発者機能。本番サイトで
実験ではなくを実行すること。 SeeTopRightMenu=右上のメニューのを参照すること AddLanguageFile=言語ファイルを追加する -YouCanUseTranslationKey=ここでは、言語ファイルにある翻訳キーであるキーを使用できる(「言語」タブを参照)。 -DropTableIfEmpty=(空の場合はテーブルを破棄する) +YouCanUseTranslationKey=ここでは、言語ファイルにある翻訳キーであるキーを使用できる(「言語」タブを参照)。 +DropTableIfEmpty=(空の場合はテーブルを破棄する) TableDoesNotExists=テーブル%sは存在しない TableDropped=テーブル%sが削除された InitStructureFromExistingTable=既存のテーブルの構造体配列文字列を作成する diff --git a/htdocs/langs/ja_JP/mrp.lang b/htdocs/langs/ja_JP/mrp.lang index d85387241a5..5d087514ee2 100644 --- a/htdocs/langs/ja_JP/mrp.lang +++ b/htdocs/langs/ja_JP/mrp.lang @@ -1,7 +1,7 @@ Mrp=製造指図 MOs=製造指図 ManufacturingOrder=製造指図 -MRPDescription=製造および製造指図(MO)を管理するモジュール。 +MRPDescription=製造および製造指図(MO)を管理するモジュール。 MRPArea=MRPエリア MrpSetupPage=モジュールMRPのセットアップ MenuBOM=部品表 @@ -40,9 +40,9 @@ DateEndPlannedMo=終了予定日 KeepEmptyForAsap=空は「できるだけ早く」を意味する EstimatedDuration=推定所要時間 EstimatedDurationDesc=このBOMを使用してこの製品を製造するための推定期間 -ConfirmValidateBom=参照%s を使用してBOMを検証してよいか(これを使用して新規製造指図を作成できる) -ConfirmCloseBom=このBOMをキャンセルしてよいか(これを使用して新規製造指図を作成することはできなくなる)。 -ConfirmReopenBom=このBOMを再度開いてもよいか(これを使用して新規製造指図を作成できる) +ConfirmValidateBom=参照%s を使用してBOMを検証してよいか(これを使用して新規製造指図を作成できる) +ConfirmCloseBom=このBOMをキャンセルしてよいか(これを使用して新規製造指図を作成することはできなくなる)。 +ConfirmReopenBom=このBOMを再度開いてもよいか(これを使用して新規製造指図を作成できる) StatusMOProduced=生産 QtyFrozen=凍結量 QuantityFrozen=凍結数量 @@ -57,7 +57,7 @@ ToConsume=消費するには ToProduce=生産するには QtyAlreadyConsumed=すでに消費された数量 QtyAlreadyProduced=すでに生産された数量 -QtyRequiredIfNoLoss=損失がない場合は必要な数量(製造効率は100%%) +QtyRequiredIfNoLoss=損失がない場合は必要な数量(製造効率は100%%) ConsumeOrProduce=消費または生産 ConsumeAndProduceAll=すべてを消費して生産する Manufactured=製造完了 @@ -75,6 +75,6 @@ ProductsToConsume=消費する製品 ProductsToProduce=生産する製品 UnitCost=単価 TotalCost=総費用 -BOMTotalCost=消費する各数量と製品のコストに基づいてこのBOMを生成するためのコスト(定義されている場合は原価、定義されている場合は平均加重価格、それ以外の場合は最良の購入価格を使用) -GoOnTabProductionToProduceFirst=製造指図を閉じるには、最初に製造を開始しておく必要がある(タブ '%s'を参照)。ただし、キャンセルすることはできる。 +BOMTotalCost=消費する各数量と製品のコストに基づいてこのBOMを生成するためのコスト(定義されている場合は原価、定義されている場合は平均加重価格、それ以外の場合は最良の購入価格を使用) +GoOnTabProductionToProduceFirst=製造指図を閉じるには、最初に製造を開始しておく必要がある(タブ '%s'を参照)。ただし、キャンセルすることはできる。 ErrorAVirtualProductCantBeUsedIntoABomOrMo=キットをBOMまたはMOに使用することはできない diff --git a/htdocs/langs/ja_JP/multicurrency.lang b/htdocs/langs/ja_JP/multicurrency.lang index b344a12d658..da5c08ced40 100644 --- a/htdocs/langs/ja_JP/multicurrency.lang +++ b/htdocs/langs/ja_JP/multicurrency.lang @@ -5,9 +5,9 @@ ErrorAddCurrencyFail=追加済通貨のエラー ErrorDeleteCurrencyFail=エラー削除失敗 multicurrency_syncronize_error=同期エラー:%s MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=最新の既知のレートを使用する代わりに、ドキュメントの日付を使用して通貨レートを見つける -multicurrency_useOriginTx=オブジェクトが別のオブジェクトから作成される場合、ソースオブジェクトの元のレートを保持する(それ以外の場合は、最新の既知のレートを使用する) +multicurrency_useOriginTx=オブジェクトが別のオブジェクトから作成される場合、ソースオブジェクトの元のレートを保持する(それ以外の場合は、最新の既知のレートを使用する) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=この機能を使用するには、Webサイト%sでアカウントを作成する必要がある。
APIキーを取得する。
無料のアカウントを使用している場合、ソース通貨(デフォルトではUSD)を変更することはできない。
主通貨がUSDでない場合、アプリケーションは自動的にそれを再計算する。

月に1000回の同期に制限される。 +CurrencyLayerAccount_help_to_synchronize=この機能を使用するには、Webサイト%sでアカウントを作成する必要がある。
APIキーを取得する。
無料のアカウントを使用している場合、ソース通貨(デフォルトではUSD)を変更することはできない。
主通貨がUSDでない場合、アプリケーションは自動的にそれを再計算する。

月に1000回の同期に制限される。 multicurrency_appId=APIキー multicurrency_appCurrencySource=ソース通貨 multicurrency_alternateCurrencySource=代替ソース通貨 @@ -17,7 +17,7 @@ rate=レート MulticurrencyReceived=受取り、元の通貨 MulticurrencyRemainderToTake=残額、元の通貨 MulticurrencyPaymentAmount=支払額、元の通貨 -AmountToOthercurrency=金額(受取口座の通貨) +AmountToOthercurrency=金額(受取口座の通貨) CurrencyRateSyncSucceed=為替レートの同期が正常に実行された MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=オンライン支払いにはドキュメントの通貨を使用する TabTitleMulticurrencyRate=料金表 diff --git a/htdocs/langs/ja_JP/opensurvey.lang b/htdocs/langs/ja_JP/opensurvey.lang index acc17b1f3df..07cee291af1 100644 --- a/htdocs/langs/ja_JP/opensurvey.lang +++ b/htdocs/langs/ja_JP/opensurvey.lang @@ -1,61 +1,61 @@ # Dolibarr language file - Source file is en_US - opensurvey Survey=投票 -Surveys=世論調査 -OrganizeYourMeetingEasily=会議や投票を簡単に整理できます。まず、投票の種類を選択します... -NewSurvey=新しい世論調査 +Surveys=投票 +OrganizeYourMeetingEasily=会議や投票を簡単に整理できる。まず、投票の種類を選択する... +NewSurvey=新規投票 OpenSurveyArea=投票エリア -AddACommentForPoll=投票にコメントを追加できます... +AddACommentForPoll=投票にコメントを追加できる... AddComment=コメントを追加する CreatePoll=投票を作成する PollTitle=投票タイトル ToReceiveEMailForEachVote=投票ごとにメールを受け取る TypeDate=日付を入力 TypeClassic=タイプスタンダード -OpenSurveyStep2=休日(灰色)の中から日付を選択します。選択した日は緑色です。以前に選択した日をもう一度クリックすると、選択を解除できます -RemoveAllDays=すべての日を削除します +OpenSurveyStep2=休日(灰色)の中から日付を選択する。選択した日は緑色です。以前に選択した日をもう一度クリックすると、選択を解除できる +RemoveAllDays=すべての日を削除する CopyHoursOfFirstDay=初日のコピー時間 -RemoveAllHours=すべての時間を削除します +RemoveAllHours=すべての時間を削除する SelectedDays=選択した日 TheBestChoice=現在の最良の選択は TheBestChoices=現在の最良の選択は with=と -OpenSurveyHowTo=この投票に投票することに同意する場合は、名前を付け、自分に最適な値を選択し、行末のプラスボタンで検証する必要があります。 +OpenSurveyHowTo=この投票に投票することに同意する場合は、名前を付け、自分に最適な値を選択し、行末のプラスボタンで検証する必要がある。 CommentsOfVoters=有権者のコメント -ConfirmRemovalOfPoll=この投票(およびすべての投票)を削除してもよろしいですか? +ConfirmRemovalOfPoll=この投票(およびすべての投票)を削除してもよいか? RemovePoll=投票を削除する UrlForSurvey=投票に直接アクセスするために通信するURL -PollOnChoice=投票の複数の選択肢を作成するための投票を作成しています。まず、投票で可能なすべての選択肢を入力します。 +PollOnChoice=投票の複数の選択肢を作成するための投票を作成しています。まず、投票で可能なすべての選択肢を入力する。 CreateSurveyDate=日付投票を作成する CreateSurveyStandard=標準の投票を作成する CheckBox=シンプルなチェックボックス -YesNoList=リスト(空/はい/いいえ) -PourContreList=リスト(空/賛成/反対) -AddNewColumn=新しい列を追加する +YesNoList=リスト(空/はい/いいえ) +PourContreList=リスト(空/賛成/反対) +AddNewColumn=新規列を追加する TitleChoice=選択ラベル ExportSpreadsheet=結果スプレッドシートのエクスポート ExpireDate=日付を制限する NbOfSurveys=投票数 NbOfVoters=投票者数 SurveyResults=結果 -PollAdminDesc=「編集」ボタンを使用して、この投票のすべての投票行を変更できます。 %sを使用して列または行を削除することもできます。 %sを使用して新しい列を追加することもできます。 +PollAdminDesc=「編集」ボタンを使用して、この投票のすべての投票行を変更できる。 %sを使用して列または行を削除することもできる。 %sを使用して新規列を追加することもできる。 5MoreChoices=さらに5つの選択肢 Against=に対して -YouAreInivitedToVote=この投票に投票してください -VoteNameAlreadyExists=この名前はすでにこの投票に使用されていました +YouAreInivitedToVote=この投票に投票すること +VoteNameAlreadyExists=この名前はすでにこの投票に使用されていた AddADate=日付を追加する AddStartHour=開始時間を追加 AddEndHour=終了時間を追加する -votes=投票 -NoCommentYet=この投票へのコメントはまだ投稿されていません -CanComment=投票者は投票でコメントできます -CanSeeOthersVote=有権者は他の人の投票を見ることができます -SelectDayDesc=選択した各日に、次の形式で会議時間を選択するかどうかを選択できます:
-空、
-「8h」、「8H」、または「8:00」で、会議の開始時間を指定します。 11」、「8h-11h」、「8H-11H」、または「8:00-11:00」は、会議の開始時間と終了時間を示します。 15-11:15 "同じことですが、分単位です。 +votes=投票(s) +NoCommentYet=この投票へのコメントはまだ投稿されていない +CanComment=投票者は投票でコメントできる +CanSeeOthersVote=有権者は他の人の投票を見ることができる +SelectDayDesc=選択した各日に、次の形式で会議時間を選択するかどうかを選択できる:
- 空、
- "8h"、"8H" または "8:00" で、会議の開始時間を指定する。
- "8-11"、"8h-11h"、"8H-11H" または "8:00-11:00" で、会議の開始時間と終了時間を示する。
- "8h15-11h15"、"8H15-11H15" または "8:15-11:15" も分がついていて同様となる。 BackToCurrentMonth=今月に戻る -ErrorOpenSurveyFillFirstSection=投票作成の最初のセクションに記入していません -ErrorOpenSurveyOneChoice=少なくとも1つの選択肢を入力してください +ErrorOpenSurveyFillFirstSection=投票作成の最初のセクションに記入していない +ErrorOpenSurveyOneChoice=少なくとも1つの選択肢を入力すること ErrorInsertingComment=コメントの挿入中にエラーが発生しました -MoreChoices=有権者のためのより多くの選択肢を入力してください -SurveyExpiredInfo=投票が終了したか、投票の遅延が期限切れになりました。 -EmailSomeoneVoted=%sが行を埋めました。\nあなたはリンクであなたの投票を見つけることができます:\n%s +MoreChoices=有権者のためのより多くの選択肢を入力すること +SurveyExpiredInfo=投票が終了したか、投票の遅延が期限切れになった。 +EmailSomeoneVoted=%sが行を埋めました。\nあなたはリンクであなたの投票を見つけることができる:\n%s ShowSurvey=アンケートを表示 -UserMustBeSameThanUserUsedToVote=コメントを投稿するには、投票して、投票に使用したのと同じユーザー名を使用する必要があります +UserMustBeSameThanUserUsedToVote=コメントを投稿するには、投票して、投票に使用したのと同じユーザー名を使用する必要がある diff --git a/htdocs/langs/ja_JP/orders.lang b/htdocs/langs/ja_JP/orders.lang index 11c99913cd0..2699436c7ea 100644 --- a/htdocs/langs/ja_JP/orders.lang +++ b/htdocs/langs/ja_JP/orders.lang @@ -1,39 +1,39 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=お客様の注文エリア -SuppliersOrdersArea=Purchase orders area +SuppliersOrdersArea=注文書エリア OrderCard=注文カード -OrderId=Order Id -Order=オーダー -PdfOrderTitle=オーダー +OrderId=注文ID +Order=注文 +PdfOrderTitle=注文 Orders=受注 OrderLine=注文明細行 OrderDate=注文日 OrderDateShort=注文日 OrderToProcess=プロセスの順序 NewOrder=新規注文 -NewOrderSupplier=New Purchase Order +NewOrderSupplier=新規注文書 ToOrder=順序を作る MakeOrder=順序を作る -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Sales Order -CustomersOrders=Sales Orders -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 -SuppliersOrdersToProcess=Purchase orders to process -SuppliersOrdersAwaitingReception=Purchase orders awaiting reception -AwaitingReception=Awaiting reception +SupplierOrder=注文書 +SuppliersOrders=注文書 +SuppliersOrdersRunning=現在の注文書 +CustomerOrder=販売注文 +CustomersOrders=受注 +CustomersOrdersRunning=現在の販売注文 +CustomersOrdersAndOrdersLines=販売注文と注文の詳細 +OrdersDeliveredToBill=請求書に配信された販売注文 +OrdersToBill=納品された販売注文 +OrdersInProcess=進行中の販売注文 +OrdersToProcess=処理する受注 +SuppliersOrdersToProcess=処理する注文書 +SuppliersOrdersAwaitingReception=受付待ちの注文書 +AwaitingReception=レセプション待ち StatusOrderCanceledShort=キャンセル -StatusOrderDraftShort=ドラフト +StatusOrderDraftShort=下書き StatusOrderValidatedShort=検証 StatusOrderSentShort=プロセスの -StatusOrderSent=Shipment in process -StatusOrderOnProcessShort=Ordered +StatusOrderSent=発送中 +StatusOrderOnProcessShort=順序付けられた StatusOrderProcessedShort=処理 StatusOrderDelivered=請求する StatusOrderDeliveredShort=請求する @@ -42,130 +42,131 @@ StatusOrderApprovedShort=承認された StatusOrderRefusedShort=拒否 StatusOrderToProcessShort=処理するには StatusOrderReceivedPartiallyShort=部分的に受け -StatusOrderReceivedAllShort=Products received +StatusOrderReceivedAllShort=受け取った製品 StatusOrderCanceled=キャンセル -StatusOrderDraft=ドラフト(検証する必要があります) +StatusOrderDraft=下書き(検証する必要がある) StatusOrderValidated=検証 -StatusOrderOnProcess=Ordered - Standby reception -StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusOrderOnProcess=注文済み-スタンバイ受信 +StatusOrderOnProcessWithValidation=注文済み-スタンバイ受信または検証 StatusOrderProcessed=処理 StatusOrderToBill=請求する StatusOrderApproved=承認された StatusOrderRefused=拒否 StatusOrderReceivedPartially=部分的に受け -StatusOrderReceivedAll=All products received +StatusOrderReceivedAll=受け取ったすべての製品 ShippingExist=出荷が存在する QtyOrdered=数量は、注文された -ProductQtyInDraft=Product quantity into draft orders -ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered +ProductQtyInDraft=下書き注文への製品数量 +ProductQtyInDraftOrWaitingApproved=下書き注文または承認済み注文への製品数量、まだ注文されていない MenuOrdersToBill=法案に注文 -MenuOrdersToBill2=Billable orders +MenuOrdersToBill2=請求可能な注文 ShipProduct=船積 -CreateOrder=順序を作成します。 +CreateOrder=順序を作成する。 RefuseOrder=順番を拒否 -ApproveOrder=Approve order -Approve2Order=Approve order (second level) +ApproveOrder=注文を承認する +Approve2Order=注文の承認(第2レベル) ValidateOrder=順序を検証する UnvalidateOrder=順序をUnvalidate DeleteOrder=順序を削除する CancelOrder=注文を取り消す -OrderReopened= Order %s re-open -AddOrder=Create order -AddPurchaseOrder=Create purchase order -AddToDraftOrders=Add to draft order +OrderReopened= %sを再度開くように注文する +AddOrder=注文を作成する +AddPurchaseOrder=注文書を作成する +AddToDraftOrders=下書き注文に追加 ShowOrder=順序を示す -OrdersOpened=Orders to process -NoDraftOrders=No draft orders -NoOrder=No order -NoSupplierOrder=No purchase order -LastOrders=Latest %s sales orders -LastCustomerOrders=Latest %s sales orders -LastSupplierOrders=Latest %s purchase orders -LastModifiedOrders=Latest %s modified orders +OrdersOpened=処理する注文 +NoDraftOrders=下書き注文はない +NoOrder=注文なし +NoSupplierOrder=注文書なし +LastOrders=最新の%s販売注文 +LastCustomerOrders=最新の%s販売注文 +LastSupplierOrders=最新の%s注文書 +LastModifiedOrders=最新の%s変更された注文 AllOrders=すべての注文 NbOfOrders=注文数 OrdersStatistics=注文の統計 -OrdersStatisticsSuppliers=Purchase order statistics +OrdersStatisticsSuppliers=注文書の統計 NumberOfOrdersByMonth=月別受注数 -AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) +AmountOfOrdersByMonthHT=月別のご注文金額(税込) ListOfOrders=注文の一覧 CloseOrder=密集隊形 -ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. -ConfirmDeleteOrder=Are you sure you want to delete this order? -ConfirmValidateOrder=Are you sure you want to validate this order under name %s? -ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? -ConfirmCancelOrder=Are you sure you want to cancel this order? -ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s? -GenerateBill=請求書を生成します。 -ClassifyShipped=Classify delivered -DraftOrders=ドラフト注文 -DraftSuppliersOrders=Draft purchase orders +ConfirmCloseOrder=この注文を配信済みに設定してもよいか?注文が配信されると、請求に設定できる。 +ConfirmDeleteOrder=この注文を削除してもよいか? +ConfirmValidateOrder=この注文を%s という名前で検証してもよいか? +ConfirmUnvalidateOrder=注文%s を下書きステータスに復元してもよいか? +ConfirmCancelOrder=この注文をキャンセルしてもよいか? +ConfirmMakeOrder= %s でこの注文をしたことを確認するか? +GenerateBill=請求書を生成する。 +ClassifyShipped=配信された分類 +DraftOrders=下書き注文 +DraftSuppliersOrders=注文書の下書き OnProcessOrders=プロセス受注 -RefOrder=REF。オーダー -RefCustomerOrder=Ref. order for customer -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor +RefOrder=REF。注文 +RefCustomerOrder=参照。顧客の注文 +RefOrderSupplier=参照。ベンダーの注文 +RefOrderSupplierShort=参照。注文ベンダー SendOrderByMail=メールで注文を送る ActionsOnOrder=ためのイベント NoArticleOfTypeProduct=この注文のため、型 '製品'なし発送の記事のない記事ません -OrderMode=オーダー·メソッド +OrderMode=注文·メソッド AuthorRequest=リクエストの作成者 UserWithApproveOrderGrant=ユーザーは、 "注文を承認する"権限が付与された。 -PaymentOrderRef=オーダーの%sの支払い -ConfirmCloneOrder=Are you sure you want to clone this order %s? -DispatchSupplierOrder=Receiving purchase order %s -FirstApprovalAlreadyDone=First approval already done -SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted -SupplierOrderClassifiedBilled=Purchase Order %s set billed +PaymentOrderRef=注文の%sの支払い +ConfirmCloneOrder=この注文のクローンを作成してもよいか%s ? +DispatchSupplierOrder=注文書の受信%s +FirstApprovalAlreadyDone=最初の承認はすでに行われている +SecondApprovalAlreadyDone=2回目の承認はすでに完了している +SupplierOrderReceivedInDolibarr=注文書%sが%sを受け取りた +SupplierOrderSubmitedInDolibarr=注文書%sが送信された +SupplierOrderClassifiedBilled=注文書%sセットの請求 OtherOrders=他の注文 ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order +TypeContact_commande_internal_SALESREPFOLL=代表的なフォローアップ受注 TypeContact_commande_internal_SHIPPING=代表的なフォローアップ出荷 -TypeContact_commande_external_BILLING=顧客の請求書の連絡先 +TypeContact_commande_external_BILLING=顧客の請求書連絡先 TypeContact_commande_external_SHIPPING=顧客の出荷お問い合わせ TypeContact_commande_external_CUSTOMER=顧客の連絡先のフォローアップの順序 -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SALESREPFOLL=代表的なフォローアップ発注書 TypeContact_order_supplier_internal_SHIPPING=代表的なフォローアップ出荷 -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order -Error_COMMANDE_SUPPLIER_ADDON_NotDefined=定数COMMANDE_SUPPLIER_ADDONが定義されていません -Error_COMMANDE_ADDON_NotDefined=定数COMMANDE_ADDONが定義されていません -Error_OrderNotChecked=No orders to invoice selected +TypeContact_order_supplier_external_BILLING=ベンダー請求書連絡先 +TypeContact_order_supplier_external_SHIPPING=仕入先配送担当者 +TypeContact_order_supplier_external_CUSTOMER=ベンダー連絡先のフォローアップ注文 +Error_COMMANDE_SUPPLIER_ADDON_NotDefined=定数COMMANDE_SUPPLIER_ADDONが定義されていない +Error_COMMANDE_ADDON_NotDefined=定数COMMANDE_ADDONが定義されていない +Error_OrderNotChecked=請求書注文が選択されていない # Order modes (how we receive order). Not the "why" are keys stored into dict.lang OrderByMail=電子メール OrderByFax=ファックス -OrderByEMail=Email +OrderByEMail=Eメール OrderByWWW=オンライン OrderByPhone=電話 # Documents models -PDFEinsteinDescription=A complete order model -PDFEratostheneDescription=A complete order model +PDFEinsteinDescription=完全な注文モデル(エラトステネステンプレートの古い実装) +PDFEratostheneDescription=完全な注文モデル PDFEdisonDescription=単純な次のモデル -PDFProformaDescription=A complete Proforma invoice template -CreateInvoiceForThisCustomer=Bill orders -NoOrdersToInvoice=No orders billable -CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. -OrderCreation=Order creation -Ordered=Ordered -OrderCreated=Your orders have been created -OrderFail=An error happened during your orders creation -CreateOrders=Create orders -ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. -SetShippingMode=Set shipping mode -WithReceptionFinished=With reception finished +PDFProformaDescription=完全な 見積請求書 テンプレート +CreateInvoiceForThisCustomer=請求書注文 +CreateInvoiceForThisSupplier=請求書注文 +NoOrdersToInvoice=請求可能な注文はない +CloseProcessedOrdersAutomatically=選択したすべての注文を「処理済み」に分類する。 +OrderCreation=注文の作成 +Ordered=順序付けられた +OrderCreated=注文が作成された +OrderFail=注文の作成中にエラーが発生した +CreateOrders=注文を作成する +ToBillSeveralOrderSelectCustomer=複数の注文の請求書を作成するには、最初に顧客をクリックしてから、「%s」を選択する。 +OptionToSetOrderBilledNotEnabled=モジュールワークフローのオプションで、請求書検証時に注文を自動的に「請求済み」に設定するオプションが有効になっていないため、請求書が生成された後、注文のステータスを手動で「請求済み」に設定する必要がある。 +IfValidateInvoiceIsNoOrderStayUnbilled=請求書検証が「いいえ」の場合、請求書が検証されるまで、注文はステータス「未請求」のままになる。 +CloseReceivedSupplierOrdersAutomatically=すべての製品を受け取ったら、注文を自動的にステータス「%s」に閉じる。 +SetShippingMode=配送モードを設定する +WithReceptionFinished=レセプション終了 #### supplier orders status StatusSupplierOrderCanceledShort=キャンセル -StatusSupplierOrderDraftShort=ドラフト +StatusSupplierOrderDraftShort=下書き StatusSupplierOrderValidatedShort=検証 StatusSupplierOrderSentShort=プロセスの -StatusSupplierOrderSent=Shipment in process -StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderSent=発送中 +StatusSupplierOrderOnProcessShort=順序付けられた StatusSupplierOrderProcessedShort=処理 StatusSupplierOrderDelivered=請求する StatusSupplierOrderDeliveredShort=請求する @@ -174,15 +175,15 @@ StatusSupplierOrderApprovedShort=承認された StatusSupplierOrderRefusedShort=拒否 StatusSupplierOrderToProcessShort=処理するには StatusSupplierOrderReceivedPartiallyShort=部分的に受け -StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderReceivedAllShort=受け取った製品 StatusSupplierOrderCanceled=キャンセル -StatusSupplierOrderDraft=ドラフト(検証する必要があります) +StatusSupplierOrderDraft=下書き(検証する必要がある) StatusSupplierOrderValidated=検証 -StatusSupplierOrderOnProcess=Ordered - Standby reception -StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderOnProcess=注文済み-スタンバイ受信 +StatusSupplierOrderOnProcessWithValidation=注文済み-スタンバイ受信または検証 StatusSupplierOrderProcessed=処理 StatusSupplierOrderToBill=請求する StatusSupplierOrderApproved=承認された StatusSupplierOrderRefused=拒否 StatusSupplierOrderReceivedPartially=部分的に受け -StatusSupplierOrderReceivedAll=All products received +StatusSupplierOrderReceivedAll=受け取ったすべての製品 diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index 9042b4b81ef..b3fda9e5699 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -8,12 +8,12 @@ Birthday=誕生日 BirthdayAlertOn=誕生日アラートアクティブ BirthdayAlertOff=非アクティブな誕生日アラート TransKey=キーTransKeyの翻訳 -MonthOfInvoice=請求日の月(数字 1-12) -TextMonthOfInvoice=請求日の月(文字列) -PreviousMonthOfInvoice=請求日の前月(数字 1-12) -TextPreviousMonthOfInvoice=請求日の前月(文字列) -NextMonthOfInvoice=請求日の翌月(数字 1-12) -TextNextMonthOfInvoice=請求日の翌月(文字列) +MonthOfInvoice=請求日の月(数字 1-12) +TextMonthOfInvoice=請求日の月(文字列) +PreviousMonthOfInvoice=請求日の前月(数字 1-12) +TextPreviousMonthOfInvoice=請求日の前月(文字列) +NextMonthOfInvoice=請求日の翌月(数字 1-12) +TextNextMonthOfInvoice=請求日の翌月(文字列) PreviousMonth=前月 CurrentMonth=今月 ZipFileGeneratedInto= %sに生成されたZipファイル。 @@ -28,8 +28,8 @@ PoweredBy=搭載 YearOfInvoice=請求日の年 PreviousYearOfInvoice=請求日の前年 NextYearOfInvoice=請求日の翌年 -DateNextInvoiceBeforeGen=次の請求書の日付(生成前) -DateNextInvoiceAfterGen=次の請求書の日付(生成後) +DateNextInvoiceBeforeGen=次の請求書の日付(生成前) +DateNextInvoiceAfterGen=次の請求書の日付(生成後) GraphInBarsAreLimitedToNMeasures=Grapicsは、「バー」モードの%sメジャーに制限されています。代わりに、モード「ライン」が自動的に選択された。 OnlyOneFieldForXAxisIsPossible=現在、X軸として使用できるフィールドは1つだけ 。最初に選択されたフィールドのみが選択されています。 AtLeastOneMeasureIsRequired=測定には少なくとも1つのフィールドが必要 @@ -74,42 +74,43 @@ Notify_PROJECT_CREATE=プロジェクトの作成 Notify_TASK_CREATE=作成されたタスク Notify_TASK_MODIFY=タスクが変更された Notify_TASK_DELETE=タスクが削除された -Notify_EXPENSE_REPORT_VALIDATE=経費報告書が検証された(承認が必要 ) +Notify_EXPENSE_REPORT_VALIDATE=経費報告書が検証された(承認が必要 ) Notify_EXPENSE_REPORT_APPROVE=経費報告書が承認された -Notify_HOLIDAY_VALIDATE=リクエストを検証したままにする(承認が必要 ) +Notify_HOLIDAY_VALIDATE=リクエストを検証したままにする(承認が必要 ) Notify_HOLIDAY_APPROVE=リクエストを承認したままにする +Notify_ACTION_CREATE=アジェンダにアクションを追加 SeeModuleSetup=モジュール%sのセットアップを参照すること NbOfAttachedFiles=添付ファイル/文書の数 TotalSizeOfAttachedFiles=添付ファイル/文書の合計サイズ MaxSize=最大サイズ AttachANewFile=新規ファイル/文書を添付する LinkedObject=リンクされたオブジェクト -NbOfActiveNotifications=通知の数(受信者の電子メールの数) -PredefinedMailTest=__(こんにちは)__\nこれは__EMAIL__に送信されるテストメール 。\n行はキャリッジリターンで区切られる。\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__
これは__EMAIL__に送信されるテストメール (テストという単語は太字にする必要がある)。
行はキャリッジリターンで区切られる。

__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__ -PredefinedMailContentSendProposal=__(こんにちは)__\n\n添付の売買契約提案書__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(こんにちは)__\n\n添付の価格リクエストを見つけること__REF__\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(こんにちは)__\n\n添付の注文__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(こんにちは)__\n\n添付の注文__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(こんにちは)__\n\n添付の請求書__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(こんにちは)__\n\n添付の送料__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(こんにちは)__\n\n添付の介入__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +NbOfActiveNotifications=通知の数(受信者の電子メールの数) +PredefinedMailTest=__(こんにちは)__\nこれは__EMAIL__に送信されるテストメール 。\n行はキャリッジリターンで区切られる。\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__
これは__EMAIL__に送信されるテストメール (テストという単語は太字にする必要がある)。
行はキャリッジリターンで区切られる。

__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__ +PredefinedMailContentSendProposal=__(こんにちは)__\n\n添付の売買契約提案書__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(こんにちは)__\n\n添付の価格リクエストを見つけること__REF__\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(こんにちは)__\n\n添付の注文__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(こんにちは)__\n\n添付の注文__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(こんにちは)__\n\n添付の請求書__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(こんにちは)__\n\n添付の送料__REF__をご覧ください\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(こんにちは)__\n\n添付の介入__REF__を見つけること\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ PredefinedMailContentLink=まだ行っていない場合は、下のリンクをクリックして支払いを行うことができる。\n\n%s\n\n -PredefinedMailContentGeneric=__(こんにちは)__\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ +PredefinedMailContentGeneric=__(こんにちは)__\n\n\n__(誠意をこめて)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendActionComm=__EVENT_DATE__の__EVENT_TIME__のイベントリマインダー「__EVENT_LABEL __」

これは自動メッセージ 。返信しないこと。 -DemoDesc=Dolibarrは、いくつかのビジネスモジュールをサポートするコンパクトなERP / CRM 。このシナリオは決して発生しないため、すべてのモジュールを紹介するデモは意味がない(数百が利用可能)。したがって、いくつかのデモプロファイルが利用可能 。 +DemoDesc=Dolibarrは、いくつかのビジネスモジュールをサポートするコンパクトなERP / CRM 。このシナリオは決して発生しないため、すべてのモジュールを紹介するデモは意味がない(数百が利用可能)。したがって、いくつかのデモプロファイルが利用可能 。 ChooseYourDemoProfil=ニーズに最適なデモプロファイルを選択すること... -ChooseYourDemoProfilMore=...または独自のプロファイルを作成する
(手動モジュール選択) +ChooseYourDemoProfilMore=...または独自のプロファイルを作成する
(手動モジュール選択) DemoFundation=基礎のメンバーを管理する DemoFundation2=基礎のメンバーとの銀行口座を管理する DemoCompanyServiceOnly=法人またはフリーランスの販売サービスのみ DemoCompanyShopWithCashDesk=現金デスクでお店を管理する DemoCompanyProductAndStocks=POSで製品を販売するショップ DemoCompanyManufacturing=製品を製造する法人 -DemoCompanyAll=複数の活動を行う法人(すべてのメインモジュール) +DemoCompanyAll=複数の活動を行う法人(すべてのメインモジュール) CreatedBy=%sによって作成された ModifiedBy=%sによって変更された ValidatedBy=%sによって検証 @@ -181,7 +182,7 @@ EnableGDLibraryDesc=このオプションを使用するには、PHPインスト ProfIdShortDesc=教授イド%sは、サードパーティの国に応じて情報 。
たとえば、国%sのために、それはコード%s 。 DolibarrDemo=Dolibarr ERP / CRMデモ StatsByNumberOfUnits=製品/サービスの数量の合計の統計 -StatsByNumberOfEntities=参照エンティティの数の統計(請求書の数、または注文...) +StatsByNumberOfEntities=参照エンティティの数の統計(請求書の数、または注文...) NumberOfProposals=提案数 NumberOfCustomerOrders=受注数 NumberOfCustomerInvoices=顧客の請求書の数 @@ -215,18 +216,19 @@ EMailTextExpenseReportValidated=経費報告書%sが検証された。 EMailTextExpenseReportApproved=経費報告書%sが承認された。 EMailTextHolidayValidated=休暇申請%sが検証された。 EMailTextHolidayApproved=休暇申請%sが承認された。 +EMailTextActionAdded=アクション%sがアジェンダに追加された。 ImportedWithSet=輸入データセット DolibarrNotification=自動通知 ResizeDesc=新規幅または新規高さを入力する。比率は、サイズ変更時に保持される... NewLength=新規幅 NewHeight=新規高さ NewSizeAfterCropping=トリミング後の新規サイズ -DefineNewAreaToPick=(あなたが反対側の角に達するまで、イメージ上で左クリックをドラッグ)選択するには、画像を新たな領域を定義する。 +DefineNewAreaToPick=(あなたが反対側の角に達するまで、イメージ上で左クリックをドラッグ)選択するには、画像を新たな領域を定義する。 CurrentInformationOnImage=このツールは、画像のサイズ変更やトリミングに役立つように設計されています。これは現在編集されている画像に関する情報 ImageEditor=イメージエディタ YouReceiveMailBecauseOfNotification=あなたのメールアドレスは%sの%sソフトウェアに特定のイベントを通知されるターゲットのリストに追加されているため、このメッセージが表示される。 YouReceiveMailBecauseOfNotification2=このイベントは次のとおり 。 -ThisIsListOfModules=これは、このデモ·プロファイル(唯一の最も一般的なモジュールは、このデモに表示される)によって事前に選択したモジュールのリスト 。よりパーソナライズされたデモを持って、これを編集し、 "スタート"をクリックすること。 +ThisIsListOfModules=これは、このデモ·プロファイル(唯一の最も一般的なモジュールは、このデモに表示される)によって事前に選択したモジュールのリスト 。よりパーソナライズされたデモを持って、これを編集し、 "スタート"をクリックすること。 UseAdvancedPerms=いくつかのモジュールの高度な権限を使用する FileFormat=ファイル形式 SelectAColor=色を選択すること @@ -267,14 +269,14 @@ AvailableFormats=利用可能なフォーマット LibraryUsed=ライブラリを使用 LibraryVersion=ライブラリバージョン ExportableDatas=エクスポート可能なデータ -NoExportableData=いいえ、エクスポートデータがない(ロード、エクスポートデータ、または欠落権限を持つモジュールなし) +NoExportableData=いいえ、エクスポートデータがない(ロード、エクスポートデータ、または欠落権限を持つモジュールなし) ##### External sites ##### WebsiteSetup=モジュールのウェブサイトのセットアップ WEBSITE_PAGEURL=ページのURL WEBSITE_TITLE=タイトル WEBSITE_DESCRIPTION=説明 WEBSITE_IMAGE=画像 -WEBSITE_IMAGEDesc=画像メディアの相対パス。これはめったに使用されないため、これを空のままにしておくことができる(動的コンテンツで使用して、ブログ投稿のリストにサムネイルを表示できる)。パスがWebサイト名に依存する場合は、パスに__WEBSITE_KEY__を使用する(例:image / __ WEBSITE_KEY __ / stories / myimage.png)。 +WEBSITE_IMAGEDesc=画像メディアの相対パス。これはめったに使用されないため、これを空のままにしておくことができる(動的コンテンツで使用して、ブログ投稿のリストにサムネイルを表示できる)。パスがWebサイト名に依存する場合は、パスに__WEBSITE_KEY__を使用する(例:image / __ WEBSITE_KEY __ / stories / myimage.png)。 WEBSITE_KEYWORDS=キーワード LinesToImport=インポートする行 diff --git a/htdocs/langs/ja_JP/paybox.lang b/htdocs/langs/ja_JP/paybox.lang index d5c4d747cdc..76f95e52bf4 100644 --- a/htdocs/langs/ja_JP/paybox.lang +++ b/htdocs/langs/ja_JP/paybox.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - paybox PayBoxSetup=PayBoxモジュールの設定 -PayBoxDesc=このモジュールは、上の支払いを可能にするためにページを提供して切符売り場の顧客によって。これはフリーの支払いのためにまたは特定のDolibarrオブジェクトの支払いに用いることができる(請求書、発注、...) +PayBoxDesc=このモジュールは、上の支払いを可能にするためにページを提供して切符売り場の顧客によって。これはフリーの支払いのためにまたは特定のDolibarrオブジェクトの支払いに用いることができる(請求書、発注、...) FollowingUrlAreAvailableToMakePayments=以下のURLはDolibarrオブジェクト上で支払いをするために顧客にページを提供するために利用可能 PaymentForm=支払い形態 WelcomeOnPaymentPage=オンライン決済サービスへようこそ @@ -23,7 +23,7 @@ PAYBOX_CGI_URL_V2=支払いのために切符売り場CGIモジュールのurl CSSUrlForPaymentForm=支払いフォームのCSSスタイルシートのURL NewPayboxPaymentReceived=新規Paybox支払を受け取った NewPayboxPaymentFailed=新規Paybox支払を試みましたが失敗した -PAYBOX_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗) +PAYBOX_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗) PAYBOX_PBX_SITE=PBX SITEの値 PAYBOX_PBX_RANG=PBX Rangの値 PAYBOX_PBX_IDENTIFIANT=PBX IDの値 diff --git a/htdocs/langs/ja_JP/paypal.lang b/htdocs/langs/ja_JP/paypal.lang index 2327913ff6f..2e133b207a4 100644 --- a/htdocs/langs/ja_JP/paypal.lang +++ b/htdocs/langs/ja_JP/paypal.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=ペイパルモジュールのセットアップ -PaypalDesc=このモジュールでは、 PayPalを介した顧客による支払いが可能です。これは、アドホック支払いまたはDolibarrオブジェクト(請求書、注文など)に関連する支払いに使用できる。 -PaypalOrCBDoPayment=PayPalで支払う(カードまたはPayPal) +PaypalDesc=このモジュールでは、 PayPalを介した顧客による支払いが可能です。これは、アドホック支払いまたはDolibarrオブジェクト(請求書、注文など)に関連する支払いに使用できる。 +PaypalOrCBDoPayment=PayPalで支払う(カードまたはPayPal) PaypalDoPayment=PayPalで支払う PAYPAL_API_SANDBOX=モード試験/サンドボックス PAYPAL_API_USER=API名 PAYPAL_API_PASSWORD=APIパスワード PAYPAL_API_SIGNATURE=APIの署名 PAYPAL_SSLVERSION=カールSSLバージョン -PAYPAL_API_INTEGRAL_OR_PAYPALONLY=「統合」支払い(クレジットカード+ PayPal)または「PayPal」のみを提供 +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=「統合」支払い(クレジットカード+ PayPal)または「PayPal」のみを提供 PaypalModeIntegral=統合 PaypalModeOnlyPaypal=PayPalのみ ONLINE_PAYMENT_CSS_URL=オンライン支払いページのCSSスタイルシートのオプションのURL @@ -16,7 +16,7 @@ ThisIsTransactionId=%s:これは、トランザクションのIDです PAYPAL_ADD_PAYMENT_URL=メールでドキュメントを送信するときは、PayPalの支払いURLを含めること NewOnlinePaymentReceived=受け取った新規オンライン支払い NewOnlinePaymentFailed=新規オンライン支払いが試行されたが失敗した -ONLINE_PAYMENT_SENDEMAIL=各支払い試行後の通知の電子メールアドレス(成功および失敗の場合) +ONLINE_PAYMENT_SENDEMAIL=各支払い試行後の通知の電子メールアドレス(成功および失敗の場合) ReturnURLAfterPayment=支払い後にURLを返す ValidationOfOnlinePaymentFailed=オンライン支払いの検証に失敗した PaymentSystemConfirmPaymentPageWasCalledButFailed=支払いシステムによって支払い確認ページが呼び出され、エラーが返された @@ -27,7 +27,7 @@ ShortErrorMessage=短いエラーメッセージ ErrorCode=エラーコード ErrorSeverityCode=エラー重大度コード OnlinePaymentSystem=オンライン決済システム -PaypalLiveEnabled=PayPalの「ライブ」モードが有効になっています(それ以外の場合はテスト/サンドボックスモード) +PaypalLiveEnabled=PayPalの「ライブ」モードが有効になっています(それ以外の場合はテスト/サンドボックスモード) PaypalImportPayment=PayPal支払いをインポートする PostActionAfterPayment=支払い後にアクションを投稿する ARollbackWasPerformedOnPostActions=すべてのPostアクションでロールバックが実行された。必要に応じて、投稿アクションを手動で完了する必要があります。 diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index 8d0828a4136..6357a357c87 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/products.lang @@ -108,8 +108,8 @@ FillWithLastServiceDates=最後のサービスラインの日付を入力 MultiPricesAbility=製品/サービスごとに複数の価格セグメント(各顧客は1つの価格セグメントに含まれる) MultiPricesNumPrices=価格数 DefaultPriceType=新規販売価格を追加するときのデフォルトあたりの価格のベース(税込みと税抜き) -AssociatedProductsAbility=キットを有効にする(他製品のセット) -VariantsAbility=バリエーションを有効にする(色、サイズなどの製品バリエーション) +AssociatedProductsAbility=キットを有効にする(いくつかの製品セット) +VariantsAbility=バリエーションを有効にする(色、サイズなどの製品バリエーション) AssociatedProducts=キット AssociatedProductsNumber=このキットを構成する製品の数 ParentProductsNumber=親包装製品の数 diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index 479bc75bf88..1f6b71c6b85 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -8,19 +8,19 @@ ProjectStatus=プロジェクトの状況 SharedProject=皆 PrivateProject=プロジェクトの連絡先 ProjectsImContactFor=私が明示的に連絡を取っているプロジェクト -AllAllowedProjects=私が読むことができるすべてのプロジェクト(私の+公開) +AllAllowedProjects=私が読むことができるすべてのプロジェクト(私の+公開) AllProjects=すべてのプロジェクト MyProjectsDesc=このビューは、連絡先のプロジェクトに限定される ProjectsPublicDesc=このビューには、読み取りを許可されているすべてのプロジェクトを紹介します。 TasksOnProjectsPublicDesc=このビューには、読み取りが許可されているプロジェクトのすべてのタスクが表示される。 ProjectsPublicTaskDesc=このビューには、読み取りを許可されているすべてのプロジェクトやタスクを示します。 -ProjectsDesc=このビューはすべてのプロジェクトを(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 -TasksOnProjectsDesc=このビューには、すべてのプロジェクトのすべてのタスクが表示される(ユーザー権限により、すべてを表示する権限が付与される)。 +ProjectsDesc=このビューはすべてのプロジェクトを(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 +TasksOnProjectsDesc=このビューには、すべてのプロジェクトのすべてのタスクが表示される(ユーザー権限により、すべてを表示する権限が付与される)。 MyTasksDesc=このビューは、連絡先のプロジェクトまたはタスクに限定される -OnlyOpenedProject=開いているプロジェクトのみが表示される(ドラフトまたはクローズステータスのプロジェクトは表示されない)。 +OnlyOpenedProject=開いているプロジェクトのみが表示される(ドラフトまたはクローズステータスのプロジェクトは表示されない)。 ClosedProjectsAreHidden=閉じたプロジェクトは表示されない。 TasksPublicDesc=このビューには、読み取りを許可されているすべてのプロジェクトやタスクを示します。 -TasksDesc=このビューは、すべてのプロジェクトとタスク(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 +TasksDesc=このビューは、すべてのプロジェクトとタスク(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 AllTaskVisibleButEditIfYouAreAssigned=資格のあるプロジェクトのすべてのタスクが表示されるが、選択したユーザーに割り当てられたタスクの時間のみを入力できる。時間を入力する必要がある場合は、タスクを割り当てる。 OnlyYourTaskAreVisible=自分に割り当てられたタスクのみが表示される。タスクが表示されておらず、時間を入力する必要がある場合は、自分にタスクを割り当てる。 ImportDatasetTasks=プロジェクトのタスク @@ -85,6 +85,7 @@ ProgressCalculated=消費の進捗状況 WhichIamLinkedTo=私がリンクしている WhichIamLinkedToProject=私はプロジェクトにリンクしています Time=時間 +TimeConsumed=消費 ListOfTasks=タスクのリスト GoToListOfTimeConsumed=消費時間のリストに移動 GanttView=ガントビュー @@ -115,12 +116,12 @@ ChildOfTask=タスクの子 TaskHasChild=タスクには子がある NotOwnerOfProject=この民間プロジェクトの所有者でない AffectedTo=に割り当てられた -CantRemoveProject=このプロジェクトは、他のオブジェクト(請求書、注文など)によって参照されているため、削除できません。タブ「%s」を参照すること。 +CantRemoveProject=このプロジェクトは、他のオブジェクト(請求書、注文など)によって参照されているため、削除できません。タブ「%s」を参照すること。 ValidateProject=挙を検証する ConfirmValidateProject=このプロジェクトを検証してもよいか? CloseAProject=プロジェクトを閉じる ConfirmCloseAProject=このプロジェクトを終了してもよいか? -AlsoCloseAProject=また、プロジェクトを閉じます(それでも本番タスクを実行する必要がある場合は、開いたままにする) +AlsoCloseAProject=また、プロジェクトを閉じます(それでも本番タスクを実行する必要がある場合は、開いたままにする) ReOpenAProject=開いているプロジェクト ConfirmReOpenAProject=このプロジェクトを再開してもよいか? ProjectContact=プロジェクトの連絡先 @@ -138,13 +139,13 @@ NoTasks=このプロジェクトのための作業をしない LinkedToAnotherCompany=他の第三者へのリンク TaskIsNotAssignedToUser=タスクがユーザーに割り当てられていない。ボタン ' %s 'を使用して、今すぐタスクを割り当てる。 ErrorTimeSpentIsEmpty=費やした時間は空です -ThisWillAlsoRemoveTasks=このアクションは、プロジェクトのすべてのタスク(現時点では%sタスク)と過ごした時間のすべての入力を削除します。 -IfNeedToUseOtherObjectKeepEmpty=いくつかのオブジェクト(請求書、注文、...)、別の第三者に属するが、作成するプロジェクトにリンクする必要がある場合は、複数の取引先中のプロジェクトを持っているこの空を保持します。 +ThisWillAlsoRemoveTasks=このアクションは、プロジェクトのすべてのタスク(現時点では%sタスク)と過ごした時間のすべての入力を削除します。 +IfNeedToUseOtherObjectKeepEmpty=いくつかのオブジェクト(請求書、注文、...)、別の第三者に属するが、作成するプロジェクトにリンクする必要がある場合は、複数の取引先中のプロジェクトを持っているこの空を保持します。 CloneTasks=クローンタスク CloneContacts=連絡先のクローン CloneNotes=クローンノート CloneProjectFiles=プロジェクトに参加したファイルのクローンを作成する -CloneTaskFiles=ファイルを結合したタスク(s)をクローンする(タスク(s)がクローンされた場合) +CloneTaskFiles=ファイルを結合したタスク(s)をクローンする(タスク(s)がクローンされた場合) CloneMoveDate=今からプロジェクト/タスクの日付を更新するか? ConfirmCloneProject=このプロジェクトのクローンを作成してもよいか? ProjectReportDate=新規プロジェクトの開始日に応じてタスクの日付を変更する @@ -205,7 +206,7 @@ AssignTaskToUser=タスクを%sに割り当てる SelectTaskToAssign=割り当てるタスクを選択すること... AssignTask=割当 ProjectOverview=概要概要 -ManageTasks=プロジェクトを使用して、タスクを追跡したり、費やした時間を報告したりする(タイムシート) +ManageTasks=プロジェクトを使用して、タスクを追跡したり、費やした時間を報告したりする(タイムシート) ManageOpportunitiesStatus=プロジェクトを使用してリード/機会をフォローする ProjectNbProjectByMonth=月ごとに作成されたプロジェクトの数 ProjectNbTaskByMonth=月ごとに作成されたタスクの数 @@ -233,11 +234,11 @@ OppStatusPENDING=保留中 OppStatusWON=勝った OppStatusLOST=失われた Budget=予算 -AllowToLinkFromOtherCompany=他の会社のプロジェクトのリンクを許可する

サポートされる値:
- 空のままにする: 会社の任意のプロジェクトをリンクできる(デフォルト)
- "すべて": 任意のプロジェクトをリンクできる、たとえ他の法人のプロジェクトであっても
- カンマ区切りの取引先ID: これらの取引先のすべてのプロジェクトをリンクできる(例:123,4795,53)
+AllowToLinkFromOtherCompany=他の会社のプロジェクトのリンクを許可する

サポートされる値:
- 空のままにする: 会社の任意のプロジェクトをリンクできる(デフォルト)
- "すべて": 任意のプロジェクトをリンクできる、たとえ他の法人のプロジェクトであっても
- カンマ区切りの取引先ID: これらの取引先のすべてのプロジェクトをリンクできる(例:123,4795,53)
LatestProjects=最新の%sプロジェクト LatestModifiedProjects=最新の%s変更プロジェクト OtherFilteredTasks=その他のフィルタリングされたタスク -NoAssignedTasks=割り当てられたタスクが見つかりません(上部の選択ボックスから現在のユーザーにプロジェクト/タスクを割り当てて、時間を入力する) +NoAssignedTasks=割り当てられたタスクが見つかりません(上部の選択ボックスから現在のユーザーにプロジェクト/タスクを割り当てて、時間を入力する) ThirdPartyRequiredToGenerateInvoice=プロジェクトに請求できるようにするには、プロジェクトで取引先を定義する必要がある。 ChooseANotYetAssignedTask=まだ割り当てられていないタスクを選択すること # Comments trans @@ -254,7 +255,7 @@ TimeSpentForInvoice=に費や​​された時間は OneLinePerUser=ユーザーごとに1行 ServiceToUseOnLines=回線で利用するサービス InvoiceGeneratedFromTimeSpent=請求書%sは、プロジェクトに費やされた時間から生成された -ProjectBillTimeDescription=プロジェクトのタスクにタイムシートを入力し、タイムシートから請求書(s)を生成してプロジェクトの顧客に請求する予定があるかどうかを確認する(入力したタイムシートに基づかない請求書を作成する予定があるかどうかは確認しないこと)。注:請求書を生成するには、プロジェクトの"費やした時間"タブに移動し、含める行を選択する。 +ProjectBillTimeDescription=プロジェクトのタスクにタイムシートを入力し、タイムシートから請求書(s)を生成してプロジェクトの顧客に請求する予定があるかどうかを確認する(入力したタイムシートに基づかない請求書を作成する予定があるかどうかは確認しないこと)。注:請求書を生成するには、プロジェクトの"費やした時間"タブに移動し、含める行を選択する。 ProjectFollowOpportunity=機会を追う ProjectFollowTasks=タスクまたは費やした時間をフォローする Usage=使用法 diff --git a/htdocs/langs/ja_JP/propal.lang b/htdocs/langs/ja_JP/propal.lang index 373ac4a2ce2..16cd30b6bfa 100644 --- a/htdocs/langs/ja_JP/propal.lang +++ b/htdocs/langs/ja_JP/propal.lang @@ -1,69 +1,68 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=商用の提案 -Proposal=商業的提案 -ProposalShort=提案 -ProposalsDraft=ドラフト商業の提案 -ProposalsOpened=Open commercial proposals -CommercialProposal=商業的提案 -PdfCommercialProposalTitle=商業的提案 -ProposalCard=提案カード -NewProp=新しい商業提案 -NewPropal=新たな提案 +Proposals=売買契約提案書 +Proposal=売買契約提案書 +ProposalShort=提案書 +ProposalsDraft=下書き売買契約提案書 +ProposalsOpened=オープンな商業提案書 +CommercialProposal=売買契約提案書 +PdfCommercialProposalTitle=売買契約提案書 +ProposalCard=提案書カード +NewProp=新規商業提案書 +NewPropal=新たな提案書 Prospect=見通し -DeleteProp=商業的提案を削除します。 -ValidateProp=商業的提案を検証する -AddProp=Create proposal -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? -ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s? -LastPropals=Latest %s proposals -LastModifiedProposals=Latest %s modified proposals -AllPropals=すべての提案 -SearchAProposal=提案を検索 -NoProposal=No proposal -ProposalsStatistics=商業的な提案の統計 -NumberOfProposalsByMonth=月ごとに数 -AmountOfProposalsByMonthHT=Amount by month (excl. tax) -NbOfProposals=商業的提案の数 -ShowPropal=提案を示す -PropalsDraft=ドラフト +DeleteProp=売買契約提案書を削除する。 +ValidateProp=売買契約提案書を検証する +AddProp=提案書を作成する +ConfirmDeleteProp=この売買契約提案書を削除してもよいか? +ConfirmValidateProp=この売買契約提案書を %s という名前で検証してもよいか? +LastPropals=最新の%s提案書 +LastModifiedProposals=最新の%s変更された提案書 +AllPropals=すべての提案書 +SearchAProposal=提案書を検索 +NoProposal=提案書なし +ProposalsStatistics=商業的な提案書の統計 +NumberOfProposalsByMonth=月ごとの数 +AmountOfProposalsByMonthHT=月別金額(税込) +NbOfProposals=売買契約提案書の数 +ShowPropal=提案書を示す +PropalsDraft=下書き PropalsOpened=開く -PropalStatusDraft=ドラフト(検証する必要があります) -PropalStatusValidated=(提案が開いている)を検証 -PropalStatusSigned=(要請求)署名 -PropalStatusNotSigned=(クローズ)署名されていません +PropalStatusDraft=下書き(検証する必要がある) +PropalStatusValidated=(提案書が開いている)を検証 +PropalStatusSigned=(要請求)署名 +PropalStatusNotSigned=(クローズ)署名されていない PropalStatusBilled=請求 -PropalStatusDraftShort=ドラフト -PropalStatusValidatedShort=Validated (open) +PropalStatusDraftShort=下書き +PropalStatusValidatedShort=検証済み(オープン) PropalStatusClosedShort=閉じた PropalStatusSignedShort=署名された PropalStatusNotSignedShort=署名されていない PropalStatusBilledShort=請求 -PropalsToClose=閉じるには、商用の提案 -PropalsToBill=法案に署名した商業の提案 -ListOfProposals=商業的提案のリスト -ActionsOnPropal=提案のイベント -RefProposal=商業的な提案のref -SendPropalByMail=メールでの商用の提案を送る +PropalsToClose=閉じるには、売買契約提案書 +PropalsToBill=法案に署名した売買契約提案書 +ListOfProposals=売買契約提案書のリスト +ActionsOnPropal=提案書のイベント +RefProposal=商業的な提案書のref +SendPropalByMail=メールでの売買契約提案書を送る DatePropal=提案書の日付 DateEndPropal=日付の最後の有効性 ValidityDuration=有効期間 -CloseAs=Set status to -SetAcceptedRefused=Set accepted/refused -ErrorPropalNotFound=Propalの%sが見つかりません -AddToDraftProposals=Add to draft proposal -NoDraftProposals=No draft proposals -CopyPropalFrom=既存のプロポーザルをコピーして、商用の提案を作成します。 -CreateEmptyPropal=Create empty commercial proposal or from list of products/services -DefaultProposalDurationValidity=デフォルトの商業提案の有効期間(日数) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? -ProposalsAndProposalsLines=商業的提案や行 -ProposalLine=提案ライン +SetAcceptedRefused=承認/拒否の設定 +ErrorPropalNotFound=Propalの%sが見つからない +AddToDraftProposals=提案書案に追加 +NoDraftProposals=提案書案はない +CopyPropalFrom=既存のプロポーザルをコピーして、売買契約提案書を作成する。 +CreateEmptyPropal=空の売買契約提案書を作成するか、製品/サービスのリストから作成する +DefaultProposalDurationValidity=デフォルトの商業提案書の有効期間(日数) +UseCustomerContactAsPropalRecipientIfExist=プロポーザルの受信者アドレスとしてサードパーティのアドレスの代わりに定義されている場合は、タイプ「連絡先フォローアッププロポーザル」の連絡先/アドレスを使用する +ConfirmClonePropal=売買契約提案書 %s のクローンを作成してもよいか? +ConfirmReOpenProp=売買契約提案書 %s を開いてよいか? +ProposalsAndProposalsLines=売買契約提案書や行 +ProposalLine=提案書ライン AvailabilityPeriod=可用性の遅延 SetAvailability=可用性の遅延を設定 AfterOrder=ご注文後 -OtherProposals=他の提案 +OtherProposals=他の提案書 ##### Availability ##### AvailabilityTypeAV_NOW=即時の AvailabilityTypeAV_1W=1週間 @@ -71,21 +70,22 @@ AvailabilityTypeAV_2W=2週間 AvailabilityTypeAV_3W=3週間 AvailabilityTypeAV_1M=1ヶ月 ##### Types de contacts ##### -TypeContact_propal_internal_SALESREPFOLL=代表的なフォローアップの提案 +TypeContact_propal_internal_SALESREPFOLL=代表的なフォローアップの提案書 TypeContact_propal_external_BILLING=顧客の請求書の連絡先 -TypeContact_propal_external_CUSTOMER=顧客の連絡先フォローアップ提案 -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_CUSTOMER=顧客の連絡先フォローアップ提案書 +TypeContact_propal_external_SHIPPING=配達のための顧客の連絡先 # Document models -DocModelAzurDescription=A complete proposal model (old implementation of Cyan template) -DocModelCyanDescription=A complete proposal model -DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DocModelAzurDescription=完全な提案書モデル(シアンテンプレートの古い実装) +DocModelCyanDescription=完全な提案書モデル +DefaultModelPropalCreate=デフォルトのモデル作成 +DefaultModelPropalToBill=ビジネスプロポーザルを閉じるときのデフォルトテンプレート(請求対象) +DefaultModelPropalClosed=ビジネスプロポーザルを閉じるときのデフォルトテンプレート(未請求) ProposalCustomerSignature=承諾書、会社印、日付、署名 -ProposalsStatisticsSuppliers=Vendor proposals statistics -CaseFollowedBy=Case followed by -SignedOnly=Signed only -IdProposal=提案番号 +ProposalsStatisticsSuppliers=ベンダー提案書統計 +CaseFollowedBy=ケースに続いて +SignedOnly=署名のみ +IdProposal=プロポーザルID IdProduct=製品番号 -PrParentLine=提案親ライン -LineBuyPriceHT=購入価格ラインの税控除後の金額 +PrParentLine=提案書親ライン +LineBuyPriceHT=ラインの購入価格税控除後の金額 + diff --git a/htdocs/langs/ja_JP/receiptprinter.lang b/htdocs/langs/ja_JP/receiptprinter.lang index 05f67f731e7..e3d30ac5598 100644 --- a/htdocs/langs/ja_JP/receiptprinter.lang +++ b/htdocs/langs/ja_JP/receiptprinter.lang @@ -1,82 +1,82 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Setup of module ReceiptPrinter -PrinterAdded=Printer %s added -PrinterUpdated=Printer %s updated -PrinterDeleted=Printer %s deleted -TestSentToPrinter=Test Sent To Printer %s -ReceiptPrinter=Receipt printers -ReceiptPrinterDesc=Setup of receipt printers -ReceiptPrinterTemplateDesc=Setup of Templates -ReceiptPrinterTypeDesc=Description of Receipt Printer's type -ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile -ListPrinters=List of Printers -SetupReceiptTemplate=Template Setup -CONNECTOR_DUMMY=Dummy Printer -CONNECTOR_NETWORK_PRINT=Network Printer -CONNECTOR_FILE_PRINT=Local Printer -CONNECTOR_WINDOWS_PRINT=Local Windows Printer -CONNECTOR_CUPS_PRINT=Cups Printer -CONNECTOR_DUMMY_HELP=Fake Printer for test, does nothing +ReceiptPrinterSetup=モジュールReceiptPrinterの設定 +PrinterAdded=プリンター%sが追加された +PrinterUpdated=プリンター%sが更新された +PrinterDeleted=プリンター%sが削除された +TestSentToPrinter=プリンターに送信されたテスト%s +ReceiptPrinter=レシートプリンター +ReceiptPrinterDesc=レシートプリンターの設定 +ReceiptPrinterTemplateDesc=テンプレートの設定 +ReceiptPrinterTypeDesc=レシートプリンターの種類の説明 +ReceiptPrinterProfileDesc=レシートプリンターのプロファイルの説明 +ListPrinters=プリンタのリスト +SetupReceiptTemplate=テンプレートの設定 +CONNECTOR_DUMMY=ダミープリンター +CONNECTOR_NETWORK_PRINT=ネットワークプリンター +CONNECTOR_FILE_PRINT=ローカルプリンター +CONNECTOR_WINDOWS_PRINT=ローカルWindowsプリンター +CONNECTOR_CUPS_PRINT=カッププリンター +CONNECTOR_DUMMY_HELP=テスト用の偽のプリンタ、何もしない 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 -PROFILE_DEFAULT=Default Profile -PROFILE_SIMPLE=Simple Profile -PROFILE_EPOSTEP=Epos Tep Profile -PROFILE_P822D=P822D Profile -PROFILE_STAR=Star Profile -PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers -PROFILE_SIMPLE_HELP=Simple Profile No Graphics -PROFILE_EPOSTEP_HELP=Epos Tep Profile -PROFILE_P822D_HELP=P822D Profile No Graphics -PROFILE_STAR_HELP=Star Profile -DOL_LINE_FEED=Skip line -DOL_ALIGN_LEFT=Left align text -DOL_ALIGN_CENTER=Center text -DOL_ALIGN_RIGHT=Right align text -DOL_USE_FONT_A=Use font A of printer -DOL_USE_FONT_B=Use font B of printer -DOL_USE_FONT_C=Use font C of printer +CONNECTOR_CUPS_PRINT_HELP=CUPSプリンター名、例:HPRT_TP805L +PROFILE_DEFAULT=デフォルトプロファイル +PROFILE_SIMPLE=シンプルなプロファイル +PROFILE_EPOSTEP=EposTepプロファイル +PROFILE_P822D=P822Dプロファイル +PROFILE_STAR=スタープロフィール +PROFILE_DEFAULT_HELP=Epsonプリンターに適したデフォルトプロファイル +PROFILE_SIMPLE_HELP=シンプルなプロファイルグラフィックなし +PROFILE_EPOSTEP_HELP=EposTepプロファイル +PROFILE_P822D_HELP=P822Dプロファイルグラフィックなし +PROFILE_STAR_HELP=スタープロフィール +DOL_LINE_FEED=行をスキップ +DOL_ALIGN_LEFT=テキストを左揃え +DOL_ALIGN_CENTER=センターテキスト +DOL_ALIGN_RIGHT=テキストを右揃え +DOL_USE_FONT_A=プリンタのフォントAを使用する +DOL_USE_FONT_B=プリンタのフォントBを使用する +DOL_USE_FONT_C=プリンターのフォントCを使用 DOL_PRINT_BARCODE=バーコードを印刷 -DOL_PRINT_BARCODE_CUSTOMER_ID=Print barcode customer id -DOL_CUT_PAPER_FULL=Cut ticket completely -DOL_CUT_PAPER_PARTIAL=Cut ticket partially -DOL_OPEN_DRAWER=Open cash drawer -DOL_ACTIVATE_BUZZER=Activate buzzer -DOL_PRINT_QRCODE=Print 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=Beep sound -DOL_PRINT_TEXT=Print text -DateInvoiceWithTime=Invoice date and time -YearInvoice=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 -InvoiceID=Invoice ID +DOL_PRINT_BARCODE_CUSTOMER_ID=バーコードの顧客IDを印刷する +DOL_CUT_PAPER_FULL=チケットを完全にカット +DOL_CUT_PAPER_PARTIAL=チケットを部分的にカット +DOL_OPEN_DRAWER=キャッシュドロワーを開く +DOL_ACTIVATE_BUZZER=ブザーを鳴らする +DOL_PRINT_QRCODE=QRコードを印刷する +DOL_PRINT_LOGO=私の法人のロゴを印刷する +DOL_PRINT_LOGO_OLD=私の法人のロゴを印刷する(古いプリンター) +DOL_BOLD=大胆な +DOL_BOLD_DISABLED=太字を無効にする +DOL_DOUBLE_HEIGHT=ダブルハイトサイズ +DOL_DOUBLE_WIDTH=倍幅サイズ +DOL_DEFAULT_HEIGHT_WIDTH=デフォルトの高さと幅のサイズ +DOL_UNDERLINE=下線を有効にする +DOL_UNDERLINE_DISABLED=下線を無効にする +DOL_BEEP=ビープ音 +DOL_PRINT_TEXT=テキストを印刷する +DateInvoiceWithTime=請求書の日時 +YearInvoice=請求年 +DOL_VALUE_MONTH_LETTERS=手紙での請求月 +DOL_VALUE_MONTH=請求月 +DOL_VALUE_DAY=請求日 +DOL_VALUE_DAY_LETTERS=請求書の文字表記 +DOL_LINE_FEED_REVERSE=改行リバース +InvoiceID=請求書ID InvoiceRef=請求書参照 -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 -VendorLastname=Vendor last name -VendorFirstname=Vendor first name -VendorEmail=Vendor email -DOL_VALUE_CUSTOMER_POINTS=Customer points -DOL_VALUE_OBJECT_POINTS=Object points +DOL_PRINT_OBJECT_LINES=請求書の行 +DOL_VALUE_CUSTOMER_FIRSTNAME=顧客の名 +DOL_VALUE_CUSTOMER_LASTNAME=顧客の姓 +DOL_VALUE_CUSTOMER_MAIL=顧客メール +DOL_VALUE_CUSTOMER_PHONE=顧客フォン +DOL_VALUE_CUSTOMER_MOBILE=顧客モバイル +DOL_VALUE_CUSTOMER_SKYPE=顧客Skype +DOL_VALUE_CUSTOMER_TAX_NUMBER=顧客税番号 +DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=顧客アカウントの残高 +DOL_VALUE_MYSOC_NAME=あなたの法人名 +VendorLastname=仕入先の姓 +VendorFirstname=仕入先の名 +VendorEmail=仕入先のメール +DOL_VALUE_CUSTOMER_POINTS=顧客ポイント +DOL_VALUE_OBJECT_POINTS=オブジェクトポイント diff --git a/htdocs/langs/ja_JP/receptions.lang b/htdocs/langs/ja_JP/receptions.lang index 14ca3b7a7e8..e4fdf3eb37a 100644 --- a/htdocs/langs/ja_JP/receptions.lang +++ b/htdocs/langs/ja_JP/receptions.lang @@ -23,7 +23,7 @@ ReceptionsAndReceivingForSameOrder=この注文の領収書と領収書 ReceptionsToValidate=検証する受付 StatusReceptionCanceled=キャンセル StatusReceptionDraft=ドラフト -StatusReceptionValidated=検証(製品が出荷する、またはすでに出荷されます) +StatusReceptionValidated=検証(製品が出荷する、またはすでに出荷されます) StatusReceptionProcessed=処理 StatusReceptionDraftShort=ドラフト StatusReceptionValidatedShort=検証 @@ -32,7 +32,7 @@ ReceptionSheet=受付シート ConfirmDeleteReception=この受付を削除してもよいか? ConfirmValidateReception=参照%s を使用して、この受付を検証してもよいか? ConfirmCancelReception=この受付をキャンセルしてもよいか? -StatsOnReceptionsOnlyValidated=受付で実施された統計は検証されただけ。使用される日付は、受付の検証日です(飛行機の配達日は常にわかっているわけではない)。 +StatsOnReceptionsOnlyValidated=受付で実施された統計は検証されただけ。使用される日付は、受付の検証日です(飛行機の配達日は常にわかっているわけではない)。 SendReceptionByEMail=メールで受付を送信する SendReceptionRef=受付の提出%s ActionsOnReception=受付のイベント diff --git a/htdocs/langs/ja_JP/recruitment.lang b/htdocs/langs/ja_JP/recruitment.lang index e9acbc08c0e..bb2081baa02 100644 --- a/htdocs/langs/ja_JP/recruitment.lang +++ b/htdocs/langs/ja_JP/recruitment.lang @@ -71,6 +71,6 @@ YourCandidature=あなたの申請 YourCandidatureAnswerMessage=お申し込みいただきありがとうございます。
..。 JobClosedTextCandidateFound=求人はクローズされている。ポジションが埋まった。 JobClosedTextCanceled=求人はクローズされている。 -ExtrafieldsJobPosition=補完的な属性(職位) -ExtrafieldsCandidatures=補完的な属性(求人応募) +ExtrafieldsJobPosition=補完的な属性(職位) +ExtrafieldsCandidatures=補完的な属性(求人応募) MakeOffer=申し出する diff --git a/htdocs/langs/ja_JP/sendings.lang b/htdocs/langs/ja_JP/sendings.lang index 41814713358..0a58d6837b3 100644 --- a/htdocs/langs/ja_JP/sendings.lang +++ b/htdocs/langs/ja_JP/sendings.lang @@ -32,7 +32,7 @@ SendingsToValidate=検査用に出荷 StatusSendingCanceled=キャンセル StatusSendingCanceledShort=キャンセル StatusSendingDraft=下書き -StatusSendingValidated=検査済(製品で出荷用または出荷済) +StatusSendingValidated=検査済(製品で出荷用または出荷済) StatusSendingProcessed=処理 StatusSendingDraftShort=下書き StatusSendingValidatedShort=検査 @@ -43,7 +43,7 @@ ConfirmValidateSending=この出荷を参照%s で検査してもよい ConfirmCancelSending=この出荷をキャンセルしてもよいか? DocumentModelMerou=メロウA5モデル WarningNoQtyLeftToSend=警告、出荷待ちの製品はない。 -StatsOnShipmentsOnlyValidated=出荷に関して実施された統計は検査済みです。使用日は出荷の検査日です(飛行機の配達日は常にわかっているわけではない)。 +StatsOnShipmentsOnlyValidated=出荷に関して実施された統計は検査済みです。使用日は出荷の検査日です(飛行機の配達日は常にわかっているわけではない)。 DateDeliveryPlanned=配達予定日 RefDeliveryReceipt=参照納品書 StatusReceipt=ステータス納品書 @@ -65,12 +65,12 @@ ValidateOrderFirstBeforeShipment=出荷を行う前に、まず注文を検査 # Sending methods # ModelDocument -DocumentModelTyphon=配信確認のために、より完全なドキュメントモデル(logo. ..) -DocumentModelStorm=入庫とフィールド外の互換性のためのより完全なドキュメントモデル(ロゴ...) +DocumentModelTyphon=配信確認のために、より完全なドキュメントモデル(logo. ..) +DocumentModelStorm=入庫とフィールド外の互換性のためのより完全なドキュメントモデル(ロゴ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=定数EXPEDITION_ADDON_NUMBERが定義されていない SumOfProductVolumes=製品量の合計 SumOfProductWeights=製品の重量の合計 # warehouse details DetailWarehouseNumber= 倉庫の詳細 -DetailWarehouseFormat= W:%s(数量:%d) +DetailWarehouseFormat= W:%s(数量:%d) diff --git a/htdocs/langs/ja_JP/sms.lang b/htdocs/langs/ja_JP/sms.lang index 717e62c09d3..d990732438c 100644 --- a/htdocs/langs/ja_JP/sms.lang +++ b/htdocs/langs/ja_JP/sms.lang @@ -35,7 +35,7 @@ SmsStatusSentPartialy=部分的に送信 SmsStatusSentCompletely=完全に送信 SmsStatusError=エラー SmsStatusNotSent=送信されない -SmsSuccessfulySent=SMSが正しく送信された(%sから%sへ) +SmsSuccessfulySent=SMSが正しく送信された(%sから%sへ) ErrorSmsRecipientIsEmpty=ターゲットの数が空である WarningNoSmsAdded=ターゲットリストに追加する新規電話番号なし ConfirmValidSms=このキャンペーンの検証を確認するか? @@ -44,8 +44,8 @@ NbOfSms=電話番号の数 ThisIsATestMessage=これはテストメッセージです。 SendSms=SMSを送信 SmsInfoCharRemain=残りの文字数 -SmsInfoNumero= (国際フォーマット、すなわち:+33899701761) -DelayBeforeSending=送信する前に、遅延時間(分) +SmsInfoNumero= (国際フォーマット、すなわち:+33899701761) +DelayBeforeSending=送信する前に、遅延時間(分) SmsNoPossibleSenderFound=有効な送信者はない。 SMSプロバイダの設定を確認すること。 SmsNoPossibleRecipientFound=利用可能なターゲットはない。 SMSプロバイダの設定を確認すること。 -DisableStopIfSupported=STOPメッセージを無効にする(サポートされている場合) +DisableStopIfSupported=STOPメッセージを無効にする(サポートされている場合) diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index 71404fd45c7..4c1ca472ce0 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -54,13 +54,13 @@ StockMovements=在庫移動 NumberOfUnit=ユニット数 UnitPurchaseValue=購入単価 StockTooLow=低すぎる在庫 -StockLowerThanLimit=在庫がアラート制限を下回っている(%s) +StockLowerThanLimit=在庫がアラート制限を下回っている(%s) EnhancedValue=値 PMPValue=加重平均価格 PMPValueShort=WAP EnhancedValueOfWarehouses=倉庫の値 UserWarehouseAutoCreate=ユーザーの作成時にユーザー倉庫を自動的に作成する -AllowAddLimitStockByWarehouse=製品ごとの最小在庫と希望在庫の値に加えて、ペアリングごとの最小在庫と希望在庫の値(製品倉庫)も管理する。 +AllowAddLimitStockByWarehouse=製品ごとの最小在庫と希望在庫の値に加えて、ペアリングごとの最小在庫と希望在庫の値(製品倉庫)も管理する。 RuleForWarehouse=倉庫のルール WarehouseAskWarehouseDuringOrder=販売注文に倉庫を設定する UserDefaultWarehouse=ユーザーに倉庫を設定する @@ -72,8 +72,8 @@ QtyDispatched=手配済数量 QtyDispatchedShort=手配済数量 QtyToDispatchShort=手配する数量 OrderDispatch=アイテムの領収書 -RuleForStockManagementDecrease=自動在庫減少のルールを選択する(自動減少ルールが有効化されている場合でも、手動減少は常に可能 ) -RuleForStockManagementIncrease=自動在庫増加のルールを選択する(自動増加ルールがアクティブ化されている場合でも、手動の増加は常に可能) +RuleForStockManagementDecrease=自動在庫減少のルールを選択する(自動減少ルールが有効化されている場合でも、手動減少は常に可能 ) +RuleForStockManagementIncrease=自動在庫増加のルールを選択する(自動増加ルールがアクティブ化されている場合でも、手動の増加は常に可能) DeStockOnBill=顧客の請求書/貸方表の検証で実際の在庫を減らす DeStockOnValidateOrder=受注の検証時に実在庫を減らす DeStockOnShipment=出荷検証で実際の在庫を減らす @@ -89,20 +89,20 @@ NoPredefinedProductToDispatch=このオブジェクト用に事前定義され DispatchVerb=派遣 StockLimitShort=アラートの制限 StockLimit=アラートの在庫制限 -StockLimitDesc=(空)は警告がないことを意味する。
0は、在庫が空になるとすぐに警告として使用される。 +StockLimitDesc=(空)は警告がないことを意味する。
0は、在庫が空になるとすぐに警告として使用される。 PhysicalStock=現物在庫 RealStock=実在庫 RealStockDesc=現物/実在庫は、現在倉庫にある在庫 。 -RealStockWillAutomaticallyWhen=実際の在庫は、このルールに従って変更される(在庫モジュールで定義されている)。 +RealStockWillAutomaticallyWhen=実際の在庫は、このルールに従って変更される(在庫モジュールで定義されている)。 VirtualStock=仮想在庫 VirtualStockAtDate=日付での仮想在庫 VirtualStockAtDateDesc=日付より前に行われる予定のすべての保留中の注文が終了すると、仮想在庫が発生する -VirtualStockDesc=仮想在庫は、すべてのオープン/保留アクション(在庫に影響を与える)が閉じられたときに使用可能な計算された在庫 (発注書の受領、販売注文の出荷、製造注文の作成など)。 +VirtualStockDesc=仮想在庫は、すべてのオープン/保留アクション(在庫に影響を与える)が閉じられたときに使用可能な計算された在庫 (発注書の受領、販売注文の出荷、製造注文の作成など)。 IdWarehouse=イド倉庫 DescWareHouse=説明倉庫 LieuWareHouse=ローカリゼーション倉庫 WarehousesAndProducts=倉庫と製品 -WarehousesAndProductsBatchDetail=倉庫および製品(ロット/シリアルごとの詳細付き) +WarehousesAndProductsBatchDetail=倉庫および製品(ロット/シリアルごとの詳細付き) AverageUnitPricePMPShort=加重平均価格 AverageUnitPricePMPDesc=製品を在庫に入れるためにサプライヤーに支払わなければならなかった入力平均単価。 SellPriceMin=販売単価 @@ -122,9 +122,9 @@ DesiredStockDesc=この在庫量は、補充機能によって在庫を埋める StockToBuy=注文する Replenishment=補充 ReplenishmentOrders=補充注文 -VirtualDiffersFromPhysical=在庫オプションの増減に応じて、現物在庫と仮想在庫(現物在庫+未決済注文)が異なる場合がある +VirtualDiffersFromPhysical=在庫オプションの増減に応じて、現物在庫と仮想在庫(現物在庫+未決済注文)が異なる場合がある UseRealStockByDefault=補充機能には、仮想在庫ではなく実際の在庫を使用する -ReplenishmentCalculation=注文金額は、(希望数量-仮想在庫)ではなく(希望数量-実在庫)になる。 +ReplenishmentCalculation=注文金額は、(希望数量-仮想在庫)ではなく(希望数量-実在庫)になる。 UseVirtualStock=仮想在庫を使用する UsePhysicalStock=現物在庫を使用する CurentSelectionMode=現在の選択モード @@ -137,21 +137,21 @@ IncludeProductWithUndefinedAlerts = 希望数量が定義されていない製 WarehouseForStockDecrease=倉庫%sは在庫減少に使用される WarehouseForStockIncrease=倉庫%sは在庫増加に使用される ForThisWarehouse=この倉庫のために -ReplenishmentStatusDesc=これは、在庫が希望在庫より少ない(またはチェックボックス「アラートのみ」がチェックされている場合はアラート値より低い)すべての製品のリスト 。チェックボックスを使用して、差額を埋めるための発注書を作成できる。 +ReplenishmentStatusDesc=これは、在庫が希望在庫より少ない(またはチェックボックス「アラートのみ」がチェックされている場合はアラート値より低い)すべての製品のリスト 。チェックボックスを使用して、差額を埋めるための発注書を作成できる。 ReplenishmentStatusDescPerWarehouse=倉庫ごとに定義された希望数量に基づいて補充が必要な場合は、倉庫にフィルタを追加する必要がある。 ReplenishmentOrdersDesc=これは、事前定義された製品を含むすべての未処理の注文書のリスト 。事前定義された製品を含む未処理の注文のみ、つまり在庫に影響を与える可能性のある注文がここに表示される。 Replenishments=補充 -NbOfProductBeforePeriod=選択した期間の前に在庫がある製品%sの数量(<%s) -NbOfProductAfterPeriod=選択した期間後の在庫の製品%sの数量(> %s) +NbOfProductBeforePeriod=選択した期間の前に在庫がある製品%sの数量(<%s) +NbOfProductAfterPeriod=選択した期間後の在庫の製品%sの数量(> %s) MassMovement=マス移動 SelectProductInAndOutWareHouse=ソース倉庫とターゲット倉庫、製品と数量を選択し、「%s」をクリックする。必要なすべての動きに対してこれが完了したら、「%s」をクリックする。 RecordMovement=レコード移転 ReceivingForSameOrder=この注文の領収書 StockMovementRecorded=記録された在庫移動 RuleForStockAvailability=在庫要件に関する規則 -StockMustBeEnoughForInvoice=在庫レベルは、製品/サービスを請求書に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、請求書に行を追加するときに現在の実際の在庫に対してチェックが行われる) -StockMustBeEnoughForOrder=在庫レベルは、注文に製品/サービスを追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、注文にラインを追加するときに現在の実際の在庫でチェックが行われる) -StockMustBeEnoughForShipment= 在庫レベルは、製品/サービスを出荷に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、出荷にラインを追加するときに現在の実際の在庫でチェックが行われる) +StockMustBeEnoughForInvoice=在庫レベルは、製品/サービスを請求書に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、請求書に行を追加するときに現在の実際の在庫に対してチェックが行われる) +StockMustBeEnoughForOrder=在庫レベルは、注文に製品/サービスを追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、注文にラインを追加するときに現在の実際の在庫でチェックが行われる) +StockMustBeEnoughForShipment= 在庫レベルは、製品/サービスを出荷に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、出荷にラインを追加するときに現在の実際の在庫でチェックが行われる) MovementLabel=動きのラベル TypeMovement=動きの種類 DateMovement=移動日 @@ -159,7 +159,7 @@ InventoryCode=移動または在庫コード IsInPackage=パッケージに含まれている WarehouseAllowNegativeTransfer=在庫はマイナスになる可能性がある qtyToTranferIsNotEnough=ソース倉庫からの十分な在庫がなく、セットアップで負の在庫が許可されていない。 -qtyToTranferLotIsNotEnough=ソース倉庫からこのロット番号に対して十分な在庫がなく、設定で負の在庫が許可されていない(製品 '%s'の数量とロット '%s'は倉庫 '%s'の%s )。 +qtyToTranferLotIsNotEnough=ソース倉庫からこのロット番号に対して十分な在庫がなく、設定で負の在庫が許可されていない(製品 '%s'の数量とロット '%s'は倉庫 '%s'の%s )。 ShowWarehouse=倉庫を表示 MovementCorrectStock=製品%sの在庫修正 MovementTransferStock=製品%sの別の倉庫への在庫移転 @@ -168,7 +168,7 @@ NoPendingReceptionOnSupplierOrder=注文書が開いているため、保留中 ThisSerialAlreadyExistWithDifferentDate=ロット/シリアル 番号 (%s) は異なる賞味期限または販売期限で ( %s が見つかったが、入力したのは %s). OpenAll=すべてのアクションに対して開く OpenInternal=内部アクションのためにのみ開く -UseDispatchStatus=発注書受付の製品ラインにディスパッチステータス(承認/拒否)を使用する +UseDispatchStatus=発注書受付の製品ラインにディスパッチステータス(承認/拒否)を使用する OptionMULTIPRICESIsOn=オプション「セグメントごとのいくつかの価格」がオンになっている。これは、製品に複数の販売価格があるため、販売価値を計算できないことを意味する ProductStockWarehouseCreated=アラートの在庫制限と希望する最適在庫が正しく作成された ProductStockWarehouseUpdated=アラートの在庫制限と希望する最適在庫が正しく更新された @@ -199,7 +199,7 @@ inventoryWarningProductAlreadyExists=この製品はすでにリストに含ま SelectCategory=カテゴリフィルタ SelectFournisseur=仕入先フィルタ inventoryOnDate=在庫 -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=在庫移動には、(在庫検証の日付ではなく)在庫の日付がある。 +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=在庫移動には、(在庫検証の日付ではなく)在庫の日付がある。 inventoryChangePMPPermission=製品のPMP値の変更を許可する ColumnNewPMP=新規ユニットPMP OnlyProdsInStock=在庫のない製品は追加しないこと @@ -232,12 +232,12 @@ InventoryForASpecificWarehouse=特定の倉庫の在庫 InventoryForASpecificProduct=特定の製品の在庫 StockIsRequiredToChooseWhichLotToUse=使用するロットを選択するには在庫が必要 ForceTo=強制する -AlwaysShowFullArbo=倉庫リンクのポップアップに倉庫の完全なツリーを表示する(警告:これによりパフォーマンスが大幅に低下する可能性がある) -StockAtDatePastDesc=過去の特定の日付の在庫(実際の在庫)をここで表示できる -StockAtDateFutureDesc=将来の特定の日付の在庫(仮想在庫)をここで表示できる +AlwaysShowFullArbo=倉庫リンクのポップアップに倉庫の完全なツリーを表示する(警告:これによりパフォーマンスが大幅に低下する可能性がある) +StockAtDatePastDesc=過去の特定の日付の在庫(実際の在庫)をここで表示できる +StockAtDateFutureDesc=将来の特定の日付の在庫(仮想在庫)をここで表示できる CurrentStock=現在の在庫 InventoryRealQtyHelp=値を0に設定して、数量をリセットする。
フィールドを空のままにするか、行を削除して、変更しないこと。 UpdateByScaning=スキャンして更新する -UpdateByScaningProductBarcode=スキャンによる更新(製品バーコード) -UpdateByScaningLot=スキャンによる更新(ロット|シリアルバーコード) +UpdateByScaningProductBarcode=スキャンによる更新(製品バーコード) +UpdateByScaningLot=スキャンによる更新(ロット|シリアルバーコード) DisableStockChangeOfSubProduct=この移動中は、このキットのすべての副産物の在庫変更を無効にする。 diff --git a/htdocs/langs/ja_JP/stripe.lang b/htdocs/langs/ja_JP/stripe.lang index cdd52522e8e..40fc6f89456 100644 --- a/htdocs/langs/ja_JP/stripe.lang +++ b/htdocs/langs/ja_JP/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Stripe モジュールのセットアップ -StripeDesc= Stripe を介して、クレジット/セビットカードでの支払い用のStripeオンライン支払いページを顧客に提供します。これは、顧客が臨時の支払いを行えるようにするため、または特定のDolibarrオブジェクト(請求書、注文など)に関連する支払いのために使用できる。 +StripeDesc= Stripe を介して、クレジット/セビットカードでの支払い用のStripeオンライン支払いページを顧客に提供します。これは、顧客が臨時の支払いを行えるようにするため、または特定のDolibarrオブジェクト(請求書、注文など)に関連する支払いのために使用できる。 StripeOrCBDoPayment=クレジットカードまたはStripeで支払う FollowingUrlAreAvailableToMakePayments=以下のURLはDolibarrオブジェクト上で支払いをするために顧客にページを提供するために利用可能です PaymentForm=支払い形態 @@ -9,7 +9,7 @@ ThisScreenAllowsYouToPay=この画面では、%sにオンライン決済を行 ThisIsInformationOnPayment=これは、実行する支払いに関する情報。 ToComplete=完了する YourEMail=入金確認を受信する電子メール -STRIPE_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗) +STRIPE_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗) Creditor=債権者 PaymentCode=支払いコード StripeDoPayment=Stripeで支払う @@ -22,7 +22,7 @@ ToOfferALinkForOnlinePaymentOnContractLine=契約ラインの%sオンライン ToOfferALinkForOnlinePaymentOnFreeAmount=既存のオブジェクトのない任意の金額の%sオンライン支払いページを提供するURL ToOfferALinkForOnlinePaymentOnMemberSubscription=メンバーサブスクリプションの%sオンライン支払いページを提供するURL ToOfferALinkForOnlinePaymentOnDonation=寄付の支払いのために%sオンライン支払いページを提供するURL -YouCanAddTagOnUrl=また、URLパラメーター&tag=valueをこれらのURLのいずれかに追加して(オブジェクトにリンクされていない支払いにのみ必須)、独自の支払いコメントタグを追加することもできる。
既存のオブジェクトがない支払いのURLの場合、パラメーター&noidempotency=1を追加して、同じタグを持つ同じリンクを複数回使用できるようにすることもできる(一部の支払いモードでは、このパラメータがないと、異なるリンクごとに支払いが1に制限される場合がある) +YouCanAddTagOnUrl=また、URLパラメーター&tag=valueをこれらのURLのいずれかに追加して(オブジェクトにリンクされていない支払いにのみ必須)、独自の支払いコメントタグを追加することもできる。
既存のオブジェクトがない支払いのURLの場合、パラメーター&noidempotency=1を追加して、同じタグを持つ同じリンクを複数回使用できるようにすることもできる(一部の支払いモードでは、このパラメータがないと、異なるリンクごとに支払いが1に制限される場合がある) SetupStripeToHavePaymentCreatedAutomatically=Stripeによって検証されたときに支払いが自動的に作成されるように、URL %sを使用してStripeをセットアップします。 AccountParameter=アカウントのパラメータ UsageParameter=使用パラメータ @@ -38,13 +38,13 @@ STRIPE_TEST_WEBHOOK_KEY=Webhookテストキー STRIPE_LIVE_SECRET_KEY=秘密のライブキー STRIPE_LIVE_PUBLISHABLE_KEY=公開可能なライブキー STRIPE_LIVE_WEBHOOK_KEY=Webhookライブキー -ONLINE_PAYMENT_WAREHOUSE=オンライン支払いが行われるときに在庫減少に使用する在庫
(TODO請求書のアクションで在庫を減らすオプションが実行され、オンライン支払いがそれ自体で請求書を生成する場合?) -StripeLiveEnabled=Stripe ライブが有効(それ以外の場合はテスト/サンドボックスモード) +ONLINE_PAYMENT_WAREHOUSE=オンライン支払いが行われるときに在庫減少に使用する在庫
(TODO請求書のアクションで在庫を減らすオプションが実行され、オンライン支払いがそれ自体で請求書を生成する場合?) +StripeLiveEnabled=Stripe ライブが有効(それ以外の場合はテスト/サンドボックスモード) StripeImportPayment=Stripe 支払いのインポート ExampleOfTestCreditCard=テスト用のクレジットカードの例:%s =>有効、%s =>エラーCVC、%s =>期限切れ、%s =>充電に失敗 StripeGateways=Stripe ゲートウェイ -OAUTH_STRIPE_TEST_ID=Stripe ConnectクライアントID(ca _...) -OAUTH_STRIPE_LIVE_ID=Stripe ConnectクライアントID(ca _...) +OAUTH_STRIPE_TEST_ID=Stripe ConnectクライアントID(ca _...) +OAUTH_STRIPE_LIVE_ID=Stripe ConnectクライアントID(ca _...) BankAccountForBankTransfer=資金支払いのための銀行口座 StripeAccount=Stripe アカウント StripeChargeList=Stripe 料金のリスト @@ -62,10 +62,10 @@ ConfirmDeleteCard=このクレジットカードまたはデビットカード CreateCustomerOnStripe=Stripeで顧客を作成する CreateCardOnStripe=Stripeでカードを作成する ShowInStripe=Stripe で表示 -StripeUserAccountForActions=一部のStripeイベントの電子メール通知に使用するユーザーアカウント(Stripeペイアウト) +StripeUserAccountForActions=一部のStripeイベントの電子メール通知に使用するユーザーアカウント(Stripeペイアウト) StripePayoutList=Stripe ペイアウトのリスト -ToOfferALinkForTestWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(テストモード) -ToOfferALinkForLiveWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(ライブモード) +ToOfferALinkForTestWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(テストモード) +ToOfferALinkForLiveWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(ライブモード) PaymentWillBeRecordedForNextPeriod=支払いは次の期間に記録される。 ClickHereToTryAgain= ここをクリックして再試行すること... CreationOfPaymentModeMustBeDoneFromStripeInterface=強力な顧客認証ルールにより、カードの作成はStripeバックオフィスから行う必要がある。 Stripeの顧客レコードをオンにするには、ここをクリックすること:%s diff --git a/htdocs/langs/ja_JP/supplier_proposal.lang b/htdocs/langs/ja_JP/supplier_proposal.lang index ffbda838ccb..2bae204541a 100644 --- a/htdocs/langs/ja_JP/supplier_proposal.lang +++ b/htdocs/langs/ja_JP/supplier_proposal.lang @@ -1,54 +1,55 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request -CommRequest=Price request -CommRequests=Price requests -SearchRequest=Find a request -DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests -RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals -NewAskPrice=New price request -ShowSupplierProposal=Show price request -AddSupplierProposal=Create a price request -SupplierProposalRefFourn=Vendor ref +SupplierProposal=仕入先の売買契約提案書 +supplier_proposalDESC=サプライヤーへの価格要求を管理する +SupplierProposalNew=新規価格リクエスト +CommRequest=価格リクエスト +CommRequests=価格の要望 +SearchRequest=リクエストを探す +DraftRequests=ドラフトリクエスト +SupplierProposalsDraft=ドラフト仕入先提案 +LastModifiedRequests=最新の%s修正価格リクエスト +RequestsOpened=オープン価格リクエスト +SupplierProposalArea=仕入先提案エリア +SupplierProposalShort=仕入先提案 +SupplierProposals=仕入先の提案 +SupplierProposalsShort=仕入先の提案 +AskPrice=価格リクエスト +NewAskPrice=新規価格リクエスト +ShowSupplierProposal=価格リクエストを表示 +AddSupplierProposal=価格リクエストを作成する +SupplierProposalRefFourn=仕入先参照 SupplierProposalDate=配達日 -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? -DeleteAsk=Delete request -ValidateAsk=Validate request -SupplierProposalStatusDraft=ドラフト(検証する必要があります) -SupplierProposalStatusValidated=Validated (request is open) +SupplierProposalRefFournNotice=「承認済み」に戻る前に、サプライヤーの参照を把握することを検討すること。 +ConfirmValidateAsk=この価格要求を%s という名前で検証してもよいか? +DeleteAsk=リクエストの削除 +ValidateAsk=リクエストの検証 +SupplierProposalStatusDraft=ドラフト(検証する必要がある) +SupplierProposalStatusValidated=検証済み(リクエストはオープン) SupplierProposalStatusClosed=閉じた -SupplierProposalStatusSigned=Accepted +SupplierProposalStatusSigned=承認済み SupplierProposalStatusNotSigned=拒否 SupplierProposalStatusDraftShort=ドラフト SupplierProposalStatusValidatedShort=検証 SupplierProposalStatusClosedShort=閉じた -SupplierProposalStatusSignedShort=Accepted +SupplierProposalStatusSignedShort=承認済み SupplierProposalStatusNotSignedShort=拒否 -CopyAskFrom=Create price request by copying existing a request -CreateEmptyAsk=Create blank request -ConfirmCloneAsk=Are you sure you want to clone the price request %s? -ConfirmReOpenAsk=Are you sure you want to open back the price request %s? -SendAskByMail=Send price request by mail -SendAskRef=Sending the price request %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) -CommercialAsk=Price request -DefaultModelSupplierProposalCreate=Default model creation -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +CopyAskFrom=既存のリクエストをコピーして価格リクエストを作成する +CreateEmptyAsk=空白のリクエストを作成する +ConfirmCloneAsk=価格リクエスト%s のクローンを作成してもよいか? +ConfirmReOpenAsk=価格リクエスト%s をオープンバックしてもよいか? +SendAskByMail=価格リクエストをメールで送信 +SendAskRef=価格リクエストの送信%s +SupplierProposalCard=カードをリクエストする +ConfirmDeleteAsk=この価格リクエストを削除してもよいか%s ? +ActionsOnSupplierProposal=価格リクエストのイベント +DocModelAuroreDescription=完全なリクエストモデル(ロゴ...) +CommercialAsk=価格リクエスト +DefaultModelSupplierProposalCreate=デフォルトのモデル作成 +DefaultModelSupplierProposalToBill=価格リクエストを閉じるときのデフォルトテンプレート(承認済み) +DefaultModelSupplierProposalClosed=価格リクエストを閉じるときのデフォルトテンプレート(拒否) +ListOfSupplierProposals=仕入先提案リクエストのリスト +ListSupplierProposalsAssociatedProject=プロジェクトに関連する仕入先提案のリスト +SupplierProposalsToClose=終了する仕入先の提案 +SupplierProposalsToProcess=処理する仕入先の提案 +LastSupplierProposals=最新の%s価格リクエスト +AllPriceRequests=すべてのリクエスト diff --git a/htdocs/langs/ja_JP/suppliers.lang b/htdocs/langs/ja_JP/suppliers.lang index 66d0d7f2afe..09fd760b180 100644 --- a/htdocs/langs/ja_JP/suppliers.lang +++ b/htdocs/langs/ja_JP/suppliers.lang @@ -35,7 +35,7 @@ ListOfSupplierProductForSupplier=仕入先の製品と価格のリスト%s チケットはID#%sで作成された。情報を参照すること:

SeeThisTicketIntomanagementInterface=管理インターフェースでチケットを見る TicketPublicInterfaceForbidden=チケットのパブリックインターフェイスが有効になっていない diff --git a/htdocs/langs/ja_JP/trips.lang b/htdocs/langs/ja_JP/trips.lang index ea9d799b1d4..aa7bffd91bd 100644 --- a/htdocs/langs/ja_JP/trips.lang +++ b/htdocs/langs/ja_JP/trips.lang @@ -93,7 +93,7 @@ DATE_PAIEMENT=支払期日 BROUILLONNER=再開 ExpenseReportRef=参照。経費報告書 ValidateAndSubmit=検証して承認のために送信 -ValidatedWaitingApproval=検証済み(承認待ち) +ValidatedWaitingApproval=検証済み(承認待ち) NOT_AUTHOR=あなたはこの経費報告書の作成者ではない。操作はキャンセルされた。 ConfirmRefuseTrip=この経費報告書を拒否してもよいか? ValideTrip=経費報告書を承認する @@ -119,10 +119,10 @@ expenseReportCoef=係数 expenseReportTotalForFive= d = 5の例 expenseReportRangeFromTo=%dから%dへ expenseReportRangeMoreThan=%d以上 -expenseReportCoefUndefined=(値は定義されていない) +expenseReportCoefUndefined=(値は定義されていない) expenseReportCatDisabled=カテゴリが無効-c_exp_tax_cat辞書を参照 expenseReportRangeDisabled=範囲が無効になっている-c_exp_tax_range辞書を参照すること -expenseReportPrintExample=オフセット+(d x coef)= %s +expenseReportPrintExample=オフセット+(d x coef)= %s ExpenseReportApplyTo=に適用する ExpenseReportDomain=適用するドメイン ExpenseReportLimitOn=制限 @@ -136,15 +136,15 @@ ExpenseReportRuleSave=経費報告ルールが保存された ExpenseReportRuleErrorOnSave=エラー:%s RangeNum=範囲%d ExpenseReportConstraintViolationError=制約違反ID [%s]:%sは%s%sよりも優れている -byEX_DAY=日ごと(%sへの制限) -byEX_MON=月ごと(%sへの制限) -byEX_YEA=年ごと(%sへの制限) -byEX_EXP=行ごと(%sへの制限) +byEX_DAY=日ごと(%sへの制限) +byEX_MON=月ごと(%sへの制限) +byEX_YEA=年ごと(%sへの制限) +byEX_EXP=行ごと(%sへの制限) ExpenseReportConstraintViolationWarning=制約違反ID [%s]:%sは%s%sよりも優れている -nolimitbyEX_DAY=日ごと(制限なし) -nolimitbyEX_MON=月ごと(制限なし) -nolimitbyEX_YEA=年ごと(制限なし) -nolimitbyEX_EXP=行ごと(制限なし) +nolimitbyEX_DAY=日ごと(制限なし) +nolimitbyEX_MON=月ごと(制限なし) +nolimitbyEX_YEA=年ごと(制限なし) +nolimitbyEX_EXP=行ごと(制限なし) CarCategory=車両カテゴリー ExpenseRangeOffset=オフセット量:%s RangeIk=走行距離範囲 diff --git a/htdocs/langs/ja_JP/users.lang b/htdocs/langs/ja_JP/users.lang index 93d45a5a4d9..a4e6141c8a5 100644 --- a/htdocs/langs/ja_JP/users.lang +++ b/htdocs/langs/ja_JP/users.lang @@ -35,7 +35,7 @@ SuperAdministrator=スーパー管理者 SuperAdministratorDesc=グローバル管理者 AdministratorDesc=管理者 DefaultRights=デフォルト権限 -DefaultRightsDesc=ここで、デフォルト権限を定義する。これは、新規ユーザに自動的に付与される(既存のユーザの権限を変更するには、ユーザカードに移動する)。 +DefaultRightsDesc=ここで、デフォルト権限を定義する。これは、新規ユーザに自動的に付与される(既存のユーザの権限を変更するには、ユーザカードに移動する)。 DolibarrUsers=Dolibarrユーザ LastName=姓 FirstName=最初の名前 @@ -71,13 +71,13 @@ InternalUser=内部ユーザ ExportDataset_user_1=ユーザとそのプロパティ DomainUser=ドメインユーザ%s Reactivate=再アクティブ化 -CreateInternalUserDesc=このフォームを使用すると、法人/組織に内部ユーザを作成できる。外部ユーザ(顧客、仕入先など)を作成するには、その取引先の連絡先カードから Dolibarrユーザの作成 ボタンを使用する。 -InternalExternalDesc=内部ユーザは、法人/組織の一部であるユーザ。
外部ユーザは、顧客、仕入先、またはその他(取引先の外部ユーザの作成は、取引先の連絡先レコードから実行できる)。

どちらの場合も、権限はDolibarrの権限を定義し、外部ユーザも内部ユーザとは異なるメニューマネージャーを持つことができる( ホーム - 設定 - 表示 を参照) +CreateInternalUserDesc=このフォームを使用すると、法人/組織に内部ユーザを作成できる。外部ユーザ(顧客、仕入先など)を作成するには、その取引先の連絡先カードから Dolibarrユーザの作成 ボタンを使用する。 +InternalExternalDesc=内部ユーザは、法人/組織の一部であるユーザ。
外部ユーザは、顧客、仕入先、またはその他(取引先の外部ユーザの作成は、取引先の連絡先レコードから実行できる)。

どちらの場合も、権限はDolibarrの権限を定義し、外部ユーザも内部ユーザとは異なるメニューマネージャーを持つことができる( ホーム - 設定 - 表示 を参照) PermissionInheritedFromAGroup=ユーザのグループのいずれかから継承されたので、許可が付与される。 Inherited=継承された UserWillBe=作成されたユーザは -UserWillBeInternalUser=(特定の第三者にリンクされていないため)作成したユーザは、内部ユーザになる -UserWillBeExternalUser=作成したユーザ(特に取引先にリンクされているため)、外部のユーザになる +UserWillBeInternalUser=(特定の第三者にリンクされていないため)作成したユーザは、内部ユーザになる +UserWillBeExternalUser=作成したユーザ(特に取引先にリンクされているため)、外部のユーザになる IdPhoneCaller=イドの電話発信 NewUserCreated=ユーザの%s作成 NewUserPassword=%s用パスワードの変更 @@ -104,7 +104,7 @@ HierarchicView=階層ビュー UseTypeFieldToChange=フィールドタイプを使用して変更 OpenIDURL=OpenID URL LoginUsingOpenID=OpenIDを使用してログインする -WeeklyHours=労働時間(週あたり) +WeeklyHours=労働時間(週あたり) ExpectedWorkedHours=週あたりの予想労働時間 ColorUser=ユーザの色 DisabledInMonoUserMode=メンテナンスモードでは無効 diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang index c8b7b24b73c..8be0c5e5529 100644 --- a/htdocs/langs/ja_JP/website.lang +++ b/htdocs/langs/ja_JP/website.lang @@ -2,24 +2,24 @@ Shortname=コー​​ド WebsiteSetupDesc=使用したいウェブサイトをここに作成する。次に、メニューのWebサイトに移動して編集する。 DeleteWebsite=ウェブサイトを削除 -ConfirmDeleteWebsite=このWebサイトを削除してもよいか?そのすべてのページとコンテンツも削除される。アップロードされたファイル(メディアディレクトリ、ECMモジュールなど)は残る。 +ConfirmDeleteWebsite=このWebサイトを削除してもよいか?そのすべてのページとコンテンツも削除される。アップロードされたファイル(メディアディレクトリ、ECMモジュールなど)は残る。 WEBSITE_TYPE_CONTAINER=ページ/コンテナのタイプ WEBSITE_PAGE_EXAMPLE=例として使用するWebページ WEBSITE_PAGENAME=ページ名/エイリアス WEBSITE_ALIASALT=代替ページ名/エイリアス -WEBSITE_ALIASALTDesc=他の名前/エイリアスのリストをここで使用して、この他の名前/エイリアスを使用してページにアクセスできるようにする(たとえば、古いリンク/名前のバックリンクを機能させるためにエイリアスの名前を変更した後の古い名前)。構文は次のとおり。
alternativename1、alternativename2、..。 +WEBSITE_ALIASALTDesc=他の名前/エイリアスのリストをここで使用して、この他の名前/エイリアスを使用してページにアクセスできるようにする(たとえば、古いリンク/名前のバックリンクを機能させるためにエイリアスの名前を変更した後の古い名前)。構文は次のとおり。
alternativename1、alternativename2、..。 WEBSITE_CSS_URL=外部CSSファイルのURL -WEBSITE_CSS_INLINE=CSSファイルの内容(すべてのページに共通) -WEBSITE_JS_INLINE=Javascriptファイルの内容(すべてのページに共通) -WEBSITE_HTML_HEADER=HTMLヘッダーの下部に追加(すべてのページに共通) -WEBSITE_ROBOT=ロボットファイル(robots.txt) +WEBSITE_CSS_INLINE=CSSファイルの内容(すべてのページに共通) +WEBSITE_JS_INLINE=Javascriptファイルの内容(すべてのページに共通) +WEBSITE_HTML_HEADER=HTMLヘッダーの下部に追加(すべてのページに共通) +WEBSITE_ROBOT=ロボットファイル(robots.txt) WEBSITE_HTACCESS=ウェブサイトの.htaccessファイル WEBSITE_MANIFEST_JSON=ウェブサイトmanifest.jsonファイル WEBSITE_README=README.mdファイル WEBSITE_KEYWORDSDesc=値を区切るにはコンマを使用する EnterHereLicenseInformation=ここにメタデータまたはライセンス情報を入力して、README.mdファイルに入力する。ウェブサイトをテンプレートとして配布する場合、ファイルは誘惑パッケージに含まれる。 -HtmlHeaderPage=HTMLヘッダー(このページにのみ固有) -PageNameAliasHelp=ページの名前またはエイリアス。
このエイリアスは、WebサイトがWebサーバーの仮想ホスト(Apacke、Nginxなど)から実行されるときにSEOURLを偽造するためにも使用される。このエイリアスを編集するには、ボタン「%s」を使用する。 +HtmlHeaderPage=HTMLヘッダー(このページにのみ固有) +PageNameAliasHelp=ページの名前またはエイリアス。
このエイリアスは、WebサイトがWebサーバーの仮想ホスト(Apacke、Nginxなど)から実行されるときにSEOURLを偽造するためにも使用される。このエイリアスを編集するには、ボタン「%s」を使用する。 EditTheWebSiteForACommonHeader=注:すべてのページにパーソナライズされたヘッダーを定義する場合は、ページ/コンテナーではなくサイトレベルでヘッダーを編集する。 MediaFiles=メディアライブラリ EditCss=Webサイトのプロパティを編集する @@ -51,13 +51,13 @@ ReadPerm=読む WritePerm=書く TestDeployOnWeb=Webでのテスト/デプロイ PreviewSiteServedByWebServer=新規タブで %s をプレビュー。

%s は、外部Webサーバ (Apache, Nginx, IIS など) から提供される。 以下のディレクトリを指定するには、当該サーバをインストールして設定する必要あり:
%s
URL は外部サーバ:
%s による -PreviewSiteServedByDolibarr= 新規タブで%sをプレビューする。

%sはDolibarrサーバーによって提供されるため、追加のWebサーバー(Apache、Nginx、IISなど)をインストールする必要はない。
不便なのは、ページのURLがユーザーフレンドリーではなく、Dolibarrのパスで始まること。 URL
Dolibarrによって提供:
%s

ディレクトリ
%s
上のポイントは、この仮想サーバーの名前を入力するWebサーバー上の仮想ホストを作成し、このウェブサイトを提供するために、独自の外部Webサーバーを使用するには他のプレビューボタンをクリックする。 +PreviewSiteServedByDolibarr= 新規タブで%sをプレビューする。

%sはDolibarrサーバーによって提供されるため、追加のWebサーバー(Apache、Nginx、IISなど)をインストールする必要はない。
不便なのは、ページのURLがユーザーフレンドリーではなく、Dolibarrのパスで始まること。 URL
Dolibarrによって提供:
%s

ディレクトリ
%s
上のポイントは、この仮想サーバーの名前を入力するWebサーバー上の仮想ホストを作成し、このウェブサイトを提供するために、独自の外部Webサーバーを使用するには他のプレビューボタンをクリックする。 VirtualHostUrlNotDefined=外部Webサーバーによって提供される仮想ホストのURLが定義されていない NoPageYet=まだページはない YouCanCreatePageOrImportTemplate=新規ページを作成するか、完全なWebサイトテンプレートをインポートできる SyntaxHelp=特定の構文のヒントに関するヘルプ YouCanEditHtmlSourceckeditor=エディタの "ソース" ボタンを使用して、HTMLソースコードを編集できる。 -YouCanEditHtmlSource=
タグ <?php ?> を使用して、当該ソースにPHPコードを含めることができる。次のグローバル変数が使用できる: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

以下の構文を使用して、別のページ/コンテナーのコンテンツを含めることもできる:
<?php includeContainer('alias_of_container_to_include'); ?>

以下の構文で別のページ/コンテナへのリダイレクトを行うことができる(注:リダイレクト前には、いかなるコンテンツも出力しないこと) :
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

別のページへのリンクを追加するには、以下の構文:
<a href="alias_of_page_to_link_to.php">mylink<a>

含めるのが ダウンロードリンク で、ファイル保管場所が documents ディレクトリなら、使うのは document.php ラッパー:
例、ファイルを documents/ecm (ログ記録が必須) に置くなら、構文は:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
ファイルを documents/medias (パブリックアクセス用のオープンディレクトリ) に置くなら、構文は:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
ファイルを共有リンク (ファイルの共有ハッシュキーを使用したオープンアクセス) で共有するなら、構文は:
<a href="/document.php?hashp=publicsharekeyoffile">

含めるのが 画像 で、保管先が documents ディレクトリなら、使うのは viewimage.php ラッパー:
例、画像を documents/medias (パブリックアクセス用のオープンディレクトリ) に置くなら、構文は:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
+YouCanEditHtmlSource=
タグ <?php ?> を使用して、当該ソースにPHPコードを含めることができる。次のグローバル変数が使用できる: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.

以下の構文を使用して、別のページ/コンテナーのコンテンツを含めることもできる:
<?php includeContainer('alias_of_container_to_include'); ?>

以下の構文で別のページ/コンテナへのリダイレクトを行うことができる(注:リダイレクト前には、いかなるコンテンツも出力しないこと) :
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

別のページへのリンクを追加するには、以下の構文:
<a href="alias_of_page_to_link_to.php">mylink<a>

含めるのが ダウンロードリンク で、ファイル保管場所が documents ディレクトリなら、使うのは document.php ラッパー:
例、ファイルを documents/ecm (ログ記録が必須) に置くなら、構文は:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
ファイルを documents/medias (パブリックアクセス用のオープンディレクトリ) に置くなら、構文は:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
ファイルを共有リンク (ファイルの共有ハッシュキーを使用したオープンアクセス) で共有するなら、構文は:
<a href="/document.php?hashp=publicsharekeyoffile">

含めるのが 画像 で、保管先が documents ディレクトリなら、使うのは viewimage.php ラッパー:
例、画像を documents/medias (パブリックアクセス用のオープンディレクトリ) に置くなら、構文は:
<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=画像を共有リンク (ファイルの共有ハッシュキーを使用したオープンアクセス) で共有するなら、構文は:
<img src="/viewimage.php?hashp=12345679012...">
YouCanEditHtmlSourceMore=
HTMLまたは動的コードのその他の例は、 the wiki documentation
で利用可能。 @@ -83,10 +83,10 @@ AddWebsiteAccount=Webサイトアカウントを作成する BackToListForThirdParty=サードパーティのリストに戻る DisableSiteFirst=最初にウェブサイトを無効にする MyContainerTitle=私のウェブサイトのタイトル -AnotherContainer=これは、別のページ/コンテナのコンテンツを含める方法です(埋め込まれたサブコンテナが存在しない可能性があるため、動的コードを有効にすると、ここでエラーが発生する可能性がある) +AnotherContainer=これは、別のページ/コンテナのコンテンツを含める方法です(埋め込まれたサブコンテナが存在しない可能性があるため、動的コードを有効にすると、ここでエラーが発生する可能性がある) SorryWebsiteIsCurrentlyOffLine=申し訳ないが、このウェブサイトは現在オフライン。後で戻ってきてください... WEBSITE_USE_WEBSITE_ACCOUNTS=Webサイトのアカウントテーブルを有効にする -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=テーブルを有効にして、各Webサイト/サードパーティのWebサイトアカウント(ログイン/パス)を保存する +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=テーブルを有効にして、各Webサイト/サードパーティのWebサイトアカウント(ログイン/パス)を保存する YouMustDefineTheHomePage=最初にデフォルトのホームページを定義する必要がある OnlyEditionOfSourceForGrabbedContentFuture=警告:外部WebページをインポートしてWebページを作成することは、経験豊富なユーザーのために予約されています。ソースページの複雑さによっては、インポートの結果が元のページと異なる場合がある。また、ソースページが一般的なCSSスタイルまたは競合するJavaScriptを使用している場合、このページで作業するときにWebサイトエディターの外観や機能が損なわれる可能性がある。この方法はページを作成するためのより迅速な方法ですが、最初から、または提案されたページテンプレートから新規ページを作成することをお勧めする。
取得した外部ページで使用すると、インラインエディタが正しく機能しない場合があることにも注意すること。 OnlyEditionOfSourceForGrabbedContent=コンテンツが外部サイトから取得された場合は、HTMLソースのエディションのみが可能。 @@ -106,7 +106,7 @@ ThisPageIsTranslationOf=このページ/コンテナはの翻訳です ThisPageHasTranslationPages=このページ/コンテナには翻訳がある NoWebSiteCreateOneFirst=ウェブサイトはまだ作成されていない。最初に作成する。 GoTo=に移動 -DynamicPHPCodeContainsAForbiddenInstruction=動的コンテンツとしてデフォルトで禁止されているPHP命令 ' %s 'を含む動的PHPコードを追加する(許可されるコマンドのリストを増やすには、非表示のオプションWEBSITE_PHP_ALLOW_xxxを参照すること)。 +DynamicPHPCodeContainsAForbiddenInstruction=動的コンテンツとしてデフォルトで禁止されているPHP命令 ' %s 'を含む動的PHPコードを追加する(許可されるコマンドのリストを増やすには、非表示のオプションWEBSITE_PHP_ALLOW_xxxを参照すること)。 NotAllowedToAddDynamicContent=WebサイトでPHP動的コンテンツを追加または編集する権限がない。許可を求めるか、コードを変更せずにphpタグに入れること。 ReplaceWebsiteContent=Webサイトのコンテンツを検索または置換する DeleteAlsoJs=このウェブサイトに固有のすべてのJavaScriptファイルも削除するか? @@ -123,7 +123,7 @@ ShowSubContainersOnOff=「動的コンテンツ」を実行するモードは%s GlobalCSSorJS=WebサイトのグローバルCSS / JS /ヘッダーファイル BackToHomePage=ホームページに戻る... TranslationLinks=翻訳リンク -YouTryToAccessToAFileThatIsNotAWebsitePage=利用できないページにアクセスしようとしました。
(ref = %s、type = %s、status = %s) +YouTryToAccessToAFileThatIsNotAWebsitePage=利用できないページにアクセスしようとしました。
(ref = %s、type = %s、status = %s) UseTextBetween5And70Chars=SEOを適切に実践するには、5〜70文字のテキストを使用する MainLanguage=主な言語 OtherLanguages=他の言語 diff --git a/htdocs/langs/ja_JP/withdrawals.lang b/htdocs/langs/ja_JP/withdrawals.lang index 915407bb2eb..04266016084 100644 --- a/htdocs/langs/ja_JP/withdrawals.lang +++ b/htdocs/langs/ja_JP/withdrawals.lang @@ -44,7 +44,7 @@ MakeBankTransferOrder=クレジット振込をリクエストする WithdrawRequestsDone=%s口座振替の支払要求が記録された BankTransferRequestsDone=%sクレジット転送リクエストが記録済 ThirdPartyBankCode=サードパーティの銀行コード -NoInvoiceCouldBeWithdrawed=正常に引き落とされた請求書はない。請求書が有効なIBANを持つ会社のものであり、IBANにモード %s のUMR(一意の委任参照)があることを確認すること。 +NoInvoiceCouldBeWithdrawed=正常に引き落とされた請求書はない。請求書が有効なIBANを持つ会社のものであり、IBANにモード %s のUMR(一意の委任参照)があることを確認すること。 ClassCredited=入金分類 ClassCreditedConfirm=あなたの銀行口座に入金、この引落しの領収書を分類してもよいか? TransData=日付伝送 @@ -60,7 +60,7 @@ RefusedData=拒絶反応の日付 RefusedReason=拒否理由 RefusedInvoicing=拒絶反応を請求 NoInvoiceRefused=拒絶反応を充電しないこと -InvoiceRefused=請求書が拒否された(拒否を顧客に請求する) +InvoiceRefused=請求書が拒否された(拒否を顧客に請求する) StatusDebitCredit=ステータスの借方/貸方 StatusWaiting=待っている StatusTrans=送信 @@ -77,11 +77,11 @@ StatusMotif5=inexploitable RIB StatusMotif6=バランスせずにアカウント StatusMotif7=裁判 StatusMotif8=他の理由 -CreateForSepaFRST=口座振替ファイルの作成(SEPA FRST) -CreateForSepaRCUR=口座振替ファイルの作成(SEPA RCUR) -CreateAll=口座振替ファイルの作成(すべて) +CreateForSepaFRST=口座振替ファイルの作成(SEPA FRST) +CreateForSepaRCUR=口座振替ファイルの作成(SEPA RCUR) +CreateAll=口座振替ファイルの作成(すべて) CreateFileForPaymentByBankTransfer=クレジット転送用のファイルを作成する -CreateSepaFileForPaymentByBankTransfer=クレジット転送ファイル(SEPA)の作成 +CreateSepaFileForPaymentByBankTransfer=クレジット転送ファイル(SEPA)の作成 CreateGuichet=唯一のオフィス CreateBanque=唯一の銀行 OrderWaiting=治療を待っている @@ -93,7 +93,7 @@ WithBankUsingBANBIC=IBAN / BIC / SWIFTを使用した銀行口座 BankToReceiveWithdraw=銀行口座の受け取り BankToPayCreditTransfer=支払元として使用される銀行口座 CreditDate=クレジットで -WithdrawalFileNotCapable=お住まいの国の引き出しレシートファイルを生成できない%s(お住まいの国はサポートされていない) +WithdrawalFileNotCapable=お住まいの国の引き出しレシートファイルを生成できない%s(お住まいの国はサポートされていない) ShowWithdraw=口座振替の注文を表示 IfInvoiceNeedOnWithdrawPaymentWontBeClosed=ただし、請求書にまだ処理されていない口座振替の支払注文が少なくとも1つある場合、事前の引き出し管理を可能にするために支払済みとして設定されない。 DoStandingOrdersBeforePayments=このタブでは、口座振替の支払注文をリクエストできる。完了したら、メニューの 銀行 -> 口座振替による支払 に移動して、口座振替の注文を生成および管理する。口座振替の注文が締め切られると、請求書の支払は自動的に記録され、残りの支払がゼロの場合は請求書が締め切られる。 @@ -106,21 +106,21 @@ StatisticsByLineStatus=回線のステータスによる統計 RUM=UMR DateRUM=署名日を委任する RUMLong=独自のマンデートリファレンス -RUMWillBeGenerated=空の場合、銀行口座情報が保存されると、UMR(Unique Mandate Reference)が生成される。 -WithdrawMode=口座振替モード(FRSTまたはRECUR) +RUMWillBeGenerated=空の場合、銀行口座情報が保存されると、UMR(Unique Mandate Reference)が生成される。 +WithdrawMode=口座振替モード(FRSTまたはRECUR) WithdrawRequestAmount=口座振替リクエストの金額: BankTransferAmount=クレジット送金リクエストの金額: WithdrawRequestErrorNilAmount=空の金額の口座振替リクエストを作成できない。 SepaMandate=SEPA口座振替の委任 SepaMandateShort=SEPAマンデート PleaseReturnMandate=この委任フォームを電子メールで%sに、または郵送でに返送すること。 -SEPALegalText=この委任フォームに署名することにより、(A)%sが銀行に口座から引き落とすように指示を送信し、(B)%sからの指示に従って銀行が口座から引き落とすように承認する。あなたの権利の一部として、あなたはあなたの銀行とのあなたの合意の条件の下であなたの銀行からの払い戻しを受ける権利がある。アカウントから引き落とされた日から8週間以内に払い戻しを請求する必要がある。上記の義務に関するあなたの権利は、あなたがあなたの銀行から入手できる残高明細で説明される。 +SEPALegalText=この委任フォームに署名することにより、(A)%sが銀行に口座から引き落とすように指示を送信し、(B)%sからの指示に従って銀行が口座から引き落とすように承認する。あなたの権利の一部として、あなたはあなたの銀行とのあなたの合意の条件の下であなたの銀行からの払い戻しを受ける権利がある。アカウントから引き落とされた日から8週間以内に払い戻しを請求する必要がある。上記の義務に関するあなたの権利は、あなたがあなたの銀行から入手できる残高明細で説明される。 CreditorIdentifier=債権者識別子 CreditorName=債権者名 -SEPAFillForm=(B)*のマークが付いているすべてのフィールドに入力すること +SEPAFillForm=(B)*のマークが付いているすべてのフィールドに入力すること SEPAFormYourName=あなたの名前 -SEPAFormYourBAN=あなたの銀行口座名(IBAN) -SEPAFormYourBIC=銀行識別コード(BIC) +SEPAFormYourBAN=あなたの銀行口座名(IBAN) +SEPAFormYourBIC=銀行識別コード(BIC) SEPAFrstOrRecur=支払方法 ModeRECUR=定期支払 ModeFRST=一回限りの支払 diff --git a/htdocs/langs/ja_JP/workflow.lang b/htdocs/langs/ja_JP/workflow.lang index 9b005891405..5fc746635df 100644 --- a/htdocs/langs/ja_JP/workflow.lang +++ b/htdocs/langs/ja_JP/workflow.lang @@ -1,21 +1,21 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=ワークフローモジュールの設定 -WorkflowDesc=このモジュールは、いくつかの自動アクションを提供する。デフォルトでは、ワークフローは開いている(必要な順序で実行できる)が、ここでいくつかの自動アクションをアクティブ化できる。 +WorkflowDesc=このモジュールは、いくつかの自動アクションを提供する。デフォルトでは、ワークフローは開いている(必要な順序で実行できる)が、ここでいくつかの自動アクションをアクティブ化できる。 ThereIsNoWorkflowToModify=アクティブ化されたモジュールで使用できるワークフローの変更はない。 # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=売買契約提案書が署名された後、自動的に販売注文を作成する(新規注文は提案と同じ金額になる) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=売買契約提案書書に署名した後、顧客の請求書を自動的に作成する(新規請求書は提案書と同じ金額になる) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=売買契約提案書が署名された後、自動的に販売注文を作成する(新規注文は提案と同じ金額になる) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=売買契約提案書書に署名した後、顧客の請求書を自動的に作成する(新規請求書は提案書と同じ金額になる) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=契約が検証された後、顧客の請求書を自動的に作成する -descWORKFLOW_ORDER_AUTOCREATE_INVOICE=受注がクローズされた後、顧客の請求書を自動的に作成する(新規請求書は注文と同じ金額になる) +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=受注がクローズされた後、顧客の請求書を自動的に作成する(新規請求書は注文と同じ金額になる) # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=販売注文が請求済みに設定されている場合(および注文の金額が署名されたリンクされた提案の合計金額と同じ場合)、リンクされたソース提案を請求済みとして分類する。 -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=リンクされたソースプロポーザルを、顧客の請求書が検証されたときに請求済みとして分類する(また、請求書の金額が署名されたリンクされたプロポーザルの合計金額と同じである場合) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=顧客の請求書が検証されたときに請求済みとしてリンクされたソース販売注文を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=顧客の請求書が支払い済みに設定されている場合(および請求書の金額がリンクされた注文の合計金額と同じである場合)、リンクされたソース販売注文を請求済みとして分類する。 -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=リンクされたソース販売注文を、出荷が検証されたときに出荷されたものとして分類する(また、すべての出荷によって出荷された数量が更新する注文と同じである場合) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=販売注文が請求済みに設定されている場合(および注文の金額が署名されたリンクされた提案の合計金額と同じ場合)、リンクされたソース提案を請求済みとして分類する。 +descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=リンクされたソースプロポーザルを、顧客の請求書が検証されたときに請求済みとして分類する(また、請求書の金額が署名されたリンクされたプロポーザルの合計金額と同じである場合) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=顧客の請求書が検証されたときに請求済みとしてリンクされたソース販売注文を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) +descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=顧客の請求書が支払い済みに設定されている場合(および請求書の金額がリンクされた注文の合計金額と同じである場合)、リンクされたソース販売注文を請求済みとして分類する。 +descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=リンクされたソース販売注文を、出荷が検証されたときに出荷されたものとして分類する(また、すべての出荷によって出荷された数量が更新する注文と同じである場合) # Autoclassify purchase order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=リンクされたソースベンダーの提案を、ベンダーの請求書が検証されたときに請求済みとして分類する(また、請求書の金額がリンクされた提案の合計金額と同じである場合)。 -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=ベンダーの請求書が検証されたときに請求済みとしてリンクされたソース発注書を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=リンクされたソースベンダーの提案を、ベンダーの請求書が検証されたときに請求済みとして分類する(また、請求書の金額がリンクされた提案の合計金額と同じである場合)。 +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=ベンダーの請求書が検証されたときに請求済みとしてリンクされたソース発注書を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合) descWORKFLOW_BILL_ON_RECEPTION=リンクされたサプライヤの注文が検証されたときに、受信を「請求済み」に分類する # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=チケットが閉じられたら、チケットにリンクされているすべての介入を閉じる diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/ka_GE/products.lang +++ b/htdocs/langs/ka_GE/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/ka_GE/projects.lang +++ b/htdocs/langs/ka_GE/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/km_KH/admin.lang b/htdocs/langs/km_KH/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/km_KH/admin.lang +++ b/htdocs/langs/km_KH/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/km_KH/other.lang b/htdocs/langs/km_KH/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/km_KH/other.lang +++ b/htdocs/langs/km_KH/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/km_KH/products.lang b/htdocs/langs/km_KH/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/km_KH/products.lang +++ b/htdocs/langs/km_KH/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/km_KH/projects.lang b/htdocs/langs/km_KH/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/km_KH/projects.lang +++ b/htdocs/langs/km_KH/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index 262149b3dc3..6e16e89d009 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index 227a868b3a5..4ba716c6a71 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang index ae80529a95e..b4ed2eaee15 100644 --- a/htdocs/langs/kn_IN/products.lang +++ b/htdocs/langs/kn_IN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/kn_IN/projects.lang +++ b/htdocs/langs/kn_IN/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index 4fda6a9fe93..5f06c5e8534 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index 6e827ab2752..0b663c08491 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang index b3282a7a3ff..390f2b13e95 100644 --- a/htdocs/langs/ko_KR/products.lang +++ b/htdocs/langs/ko_KR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang index f9e32599c26..d4b5dc5134b 100644 --- a/htdocs/langs/ko_KR/projects.lang +++ b/htdocs/langs/ko_KR/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 7c86ea21042..79575c1f6bf 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 35343ff07d9..9bc54506b86 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index 999f6a32693..0398a6604ac 100644 --- a/htdocs/langs/lo_LA/products.lang +++ b/htdocs/langs/lo_LA/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index bfe42b3a2d0..3dfd70c6444 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index ce36622f33c..bec324ea83d 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Paslaugų modulio nuostatos ProductServiceSetup=Produktų ir paslaugų modulių nuostatos NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Brūkšninio kodo tipas produktams pagal nutylėjimą diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index 389c6a69571..3a40679f01b 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Prikabintų failų/dokumentų skaičius TotalSizeOfAttachedFiles=Iš viso prikabintų failų/dokumentų dydis @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importavimo duomenų rinkinys DolibarrNotification=Automatinis pranešimas ResizeDesc=Įveskite naują plotį arba naują aukštį. Santykis bus išlaikomas keičiant dydį ... diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang index 180c6d30d4c..f3905beb77a 100644 --- a/htdocs/langs/lt_LT/products.lang +++ b/htdocs/langs/lt_LT/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index 32e8539171e..81e5adaaefc 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -76,15 +76,16 @@ MyActivities=Mano užduotys/veikla MyProjects=Mano projektai MyProjectsArea=My projects Area DurationEffective=Efektyvi trukmė -ProgressDeclared=Paskelbta pažanga +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Apskaičiuota pažanga +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Laikas +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index afd8f75d9ff..3f35ab02572 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Pakalpojumu moduļa uzstādīšana ProductServiceSetup=Produktu un pakalpojumu moduļu uzstādīšana NumberOfProductShowInSelect=Maksimālais produktu skaits, kas jāparāda kombinētajos atlases sarakstos (0 = bez ierobežojuma) ViewProductDescInFormAbility=Rādīt produktu aprakstus veidlapās (citādi tiek rādīts rīkjoslas uznirstošajā logā) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Attēlot produktu aprakstus trešās puses valodā +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Arī tad, ja jums ir liels produktu skaits (> 100 000), varat palielināt ātrumu, iestatot iestatījumu -> Cits iestatījumu konstante PRODUCT_DONOTSEARCH_ANYWHERE uz 1. Tad meklēšana būs tikai virknes sākums. UseSearchToSelectProduct=Pagaidiet, kamēr nospiedīsiet taustiņu, pirms ievietojat produktu kombinēto sarakstu saturu (tas var palielināt veiktspēju, ja jums ir daudz produktu, taču tas ir mazāk ērts). SetDefaultBarcodeTypeProducts=Noklusējuma svītrkoda veids izmantojams produktiem diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index 71fbca02153..73b65a6e40b 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Izdevumu pārskats apstiprināts (nepieciešams a Notify_EXPENSE_REPORT_APPROVE=Izdevumu pārskats ir apstiprināts Notify_HOLIDAY_VALIDATE=Atteikt pieprasījumu apstiprināt (nepieciešams apstiprinājums) Notify_HOLIDAY_APPROVE=Atvaļinājuma pieprasījums apstiprināts +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Skaits pievienotos failus / dokumentus TotalSizeOfAttachedFiles=Kopējais apjoms pievienotos failus / dokumentus @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Izdevumu pārskats %s ir pārbaudīts. EMailTextExpenseReportApproved=Izdevumu pārskats %s ir apstiprināts. EMailTextHolidayValidated=Atstāt pieprasījumu %s ir apstiprināta. EMailTextHolidayApproved=Atstāt pieprasījumu %s ir apstiprināts. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Ievešanas datu kopu DolibarrNotification=Automātiska paziņošana ResizeDesc=Ievadiet jaunu platumu vai jaunu augstumu. Attiecība būs jātur laikā izmēru maiņas ... diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index 536127ff619..575c475d3b8 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Aizpildiet pēdējos pakalpojumu līnijas datumus MultiPricesAbility=Vairāki cenu segmenti katram produktam / pakalpojumam (katrs klients atrodas vienā cenu segmentā) MultiPricesNumPrices=Cenu skaits DefaultPriceType=Cenu bāze par saistību neizpildi (ar nodokli bez nodokļa), pievienojot jaunas pārdošanas cenas -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Komplekti AssociatedProductsNumber=Produktu skaits, kas veido šo komplektu diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index 28e163375b4..d33723cf2ac 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -76,15 +76,16 @@ MyActivities=Mani uzdevumi / aktivitātes MyProjects=Mani projekti MyProjectsArea=Manu projektu sadaļa DurationEffective=Efektīvais ilgums -ProgressDeclared=Deklarētais progress +ProgressDeclared=Deklarētais reālais progress TaskProgressSummary=Uzdevuma virzība CurentlyOpenedTasks=Saudzīgi atvērti uzdevumi -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarētā progresija ir mazāka par %s nekā aprēķinātā progresija -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarētais progress ir vairāk %s nekā aprēķinātā progresija -ProgressCalculated=Aprēķinātais progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarētais reālais progress ir mazāks par %s nekā patēriņa progress +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarētais reālais progress ir vairāk %s nekā patēriņa progress +ProgressCalculated=Progress patēriņa jomā WhichIamLinkedTo=ar kuru esmu saistīts WhichIamLinkedToProject=kuru esmu piesaistījis projektam Time=Laiks +TimeConsumed=Consumed ListOfTasks=Uzdevumu saraksts GoToListOfTimeConsumed=Pāriet uz patērētā laika sarakstu GanttView=Ganta skats diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index f338c69d71f..74ac7411e4c 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang index d2cfb308e8f..6deddbe7334 100644 --- a/htdocs/langs/mk_MK/products.lang +++ b/htdocs/langs/mk_MK/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/mk_MK/projects.lang +++ b/htdocs/langs/mk_MK/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/mn_MN/products.lang +++ b/htdocs/langs/mn_MN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/mn_MN/projects.lang b/htdocs/langs/mn_MN/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/mn_MN/projects.lang +++ b/htdocs/langs/mn_MN/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 16bb89a5d31..e84546c7c7b 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Oppsett av tjenester-modulen ProductServiceSetup=Oppsett av varer- og tjenester-modulen NumberOfProductShowInSelect=Maksimalt antall varer som skal vises i kombinasjonslister (0 = ingen grense) ViewProductDescInFormAbility=Vis produktbeskrivelser i skjemaer (ellers vist i en verktøytips-popup) +DoNotAddProductDescAtAddLines=Ikke legg til varebeskrivelse (fra varekort) på send inn tilleggslinjer på skjemaer +OnProductSelectAddProductDesc=Hvordan bruke varebeskrivelsen når du legger til en en vare som en linje i et dokument +AutoFillFormFieldBeforeSubmit=Fyll ut beskrivelsesfeltet med varebeskrivelsen automatisk +DoNotAutofillButAutoConcat=Ikke fyll inn inndatafeltet med varebeskrivelse. Varebeskrivelsen blir automatisk sammenkoblet til den angitte beskrivelsen. +DoNotUseDescriptionOfProdut=Varebeskrivelse vil aldri bli inkludert i beskrivelsen på dokumentlinjer MergePropalProductCard=I "Vedlagte filer"-fanen i "Varer og tjenester" kan du aktivere en opsjon for å flette PDF-varedokument til tilbud PDF-azur hvis varen/tjenesten er i tilbudet -ViewProductDescInThirdpartyLanguageAbility=Vis produktbeskrivelser på språket til tredjepart +ViewProductDescInThirdpartyLanguageAbility=Vis varebeskrivelser i skjemaer på tredjeparts språk (ellers på brukerens språk) UseSearchToSelectProductTooltip=Hvis du har mange varer (>100 000), kan du øke hastigeten ved å sette konstanten PRODUCT_DONOTSEARCH_ANYWHERE til 1 i Oppsett->Annet. Søket vil da begrenses til starten av søkestrengen UseSearchToSelectProduct=Vent til du trykker på en tast før du laster inn innholdet i produkt-kombinationslisten (dette kan øke ytelsen hvis du har et stort antall produkter, men det er mindre praktisk) SetDefaultBarcodeTypeProducts=Standard strekkodetype for varer diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index d04755eab4a..5f24b072d78 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Utgiftsrapport validert(godkjenning kreves) Notify_EXPENSE_REPORT_APPROVE=Utgiftsrapport godkjent Notify_HOLIDAY_VALIDATE=Permisjonsforespørselen er validert (godkjenning kreves) Notify_HOLIDAY_APPROVE=Permisjonsforespørsel godkjent +Notify_ACTION_CREATE=Lagt til handling i Agenda SeeModuleSetup=Se oppsett av modul %s NbOfAttachedFiles=Antall vedlagte filer/dokumenter TotalSizeOfAttachedFiles=Total størrelse på vedlagte filer/dokumenter @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Utgiftsrapport %s er validert. EMailTextExpenseReportApproved=Utgiftsrapport %s er godkjent. EMailTextHolidayValidated=Permisjonsforespørsel %s er validert. EMailTextHolidayApproved=Permisjonsforespørsel %s er godkjent. +EMailTextActionAdded=Handlingen %s er lagt til i agendaen. ImportedWithSet=Datasett for import DolibarrNotification=Automatisk varsling ResizeDesc=Skriv inn ny bredde eller ny høyde. BxH forhold vil bli beholdt . diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index 0751b4c561d..de0d515bf59 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fyll ut med siste tjenestelinjedatoer MultiPricesAbility=Flere prissegmenter for hver vare/tjeneste (hver kunde er i et segment) MultiPricesNumPrices=Pris antall DefaultPriceType=Basis av priser per standard (med versus uten avgift) når nye salgspriser legges til -AssociatedProductsAbility=Aktiver Sett (sett bestående av andre produkter) +AssociatedProductsAbility=Aktiver sett (sett bestående av flere varer) VariantsAbility=Aktiver Varianter (varianter av produkter, for eksempel farge, størrelse) AssociatedProducts=Sett AssociatedProductsNumber=Antall produkter som består av dette settet diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index e6320de5bc7..d0c4f24d93e 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -85,6 +85,7 @@ ProgressCalculated=Progresjon på forbruk WhichIamLinkedTo=som jeg er knyttet til WhichIamLinkedToProject=som jeg er knyttet til prosjektet Time=Tid +TimeConsumed=Forbrukt ListOfTasks=Oppgaveliste GoToListOfTimeConsumed=Gå til liste for tidsbruk GanttView=Gantt visning diff --git a/htdocs/langs/ne_NP/admin.lang b/htdocs/langs/ne_NP/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/ne_NP/admin.lang +++ b/htdocs/langs/ne_NP/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/ne_NP/other.lang b/htdocs/langs/ne_NP/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/ne_NP/other.lang +++ b/htdocs/langs/ne_NP/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/ne_NP/products.lang b/htdocs/langs/ne_NP/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/ne_NP/products.lang +++ b/htdocs/langs/ne_NP/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/ne_NP/projects.lang b/htdocs/langs/ne_NP/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/ne_NP/projects.lang +++ b/htdocs/langs/ne_NP/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 9e36971311b..95647142990 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -231,6 +231,7 @@ AccountantFileNumber=Code voor boekhouder AvailableModules=Beschikbare app / modules ParameterActiveForNextInputOnly=De instelling word pas actief voor de volgende invoer YouMustEnableOneModule=Je moet minstens 1 module aktiveren +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. BillsPDFModules=Factuur documentsjablonen LDAPGlobalParameters=Globale instellingen LDAPPassword=Beheerderswachtwoord diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index 6617f98ff61..ef1d079d7cf 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Producten en Diensten modules setup NumberOfProductShowInSelect=Maximaal aantal producten om weer te geven in keuzelijsten met combo's (0 = geen limiet) ViewProductDescInFormAbility=Productbeschrijvingen weergeven in formulieren (anders weergegeven in een pop-up met knopinfo) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activeer op het tabblad Bijgevoegde bestanden product / dienst een optie om product PDF-document samen te voegen met voorstel PDF azur als product / dienst in het voorstel staat -ViewProductDescInThirdpartyLanguageAbility=Geef productbeschrijvingen weer in de taal van de derde partij +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Als u een groot aantal producten (>100.000) hebt, kunt u de snelheid verhogen door constant PRODUCT_DONOTSEARCH_ANYWHERE in te stellen op 1 in Setup-> Other. Het zoeken is dan beperkt tot het begin van de reeks. UseSearchToSelectProduct=Wacht tot je op een toets drukt voordat je de inhoud van de productcombo-lijst laadt (dit kan de prestaties verbeteren als je een groot aantal producten hebt, maar het is minder handig) SetDefaultBarcodeTypeProducts=Standaard streepjescodetype voor produkten diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index 0ce46830a80..3b019f24cb7 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Onkosten rapport gevalideerd (goedkeuring vereist Notify_EXPENSE_REPORT_APPROVE=Onkosten rapport goedgekeurd Notify_HOLIDAY_VALIDATE=Verlofaanvraag gevalideerd (goedkeuring vereist) Notify_HOLIDAY_APPROVE=Verzoek goedgekeurd laten +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Zie setup van module %s NbOfAttachedFiles=Aantal bijgevoegde bestanden / documenten TotalSizeOfAttachedFiles=Totale omvang van de bijgevoegde bestanden / documenten @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Onkostendeclaratie %s is gevalideerd. EMailTextExpenseReportApproved=Onkostendeclaratie %s is goedgekeurd. EMailTextHolidayValidated=Verlofaanvraag %s is gevalideerd. EMailTextHolidayApproved=Verlofaanvraag %s is goedgekeurd. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Invoer dataset DolibarrNotification=Automatische kennisgeving ResizeDesc=Voer een nieuwe breedte of nieuwe hoogte in. Verhoudingen zullen intact blijven tijdens het schalen diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index bac0be02a89..0e20bb8eea2 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Vul de data van de laatste servicelijn in MultiPricesAbility=Meerdere prijssegmenten per product / dienst (elke klant bevindt zich in één prijssegment) MultiPricesNumPrices=Aantal prijzen DefaultPriceType=Basisprijzen per standaard (met versus zonder belasting) bij het toevoegen van nieuwe verkoopprijzen -AssociatedProductsAbility=Kits inschakelen (set van andere producten) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Varianten inschakelen (variaties van producten, bijvoorbeeld kleur, maat) AssociatedProducts=Kits AssociatedProductsNumber=Aantal producten waaruit deze kit bestaat diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index 7cf5e47c573..f0262ca798c 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -85,6 +85,7 @@ ProgressCalculated=Vooruitgang in consumptie WhichIamLinkedTo=waaraan ik gekoppeld ben WhichIamLinkedToProject=die ik ben gekoppeld aan het project Time=Tijd +TimeConsumed=Consumed ListOfTasks=Lijst met taken GoToListOfTimeConsumed=Ga naar de lijst met tijd die is verbruikt GanttView=Gantt-weergave diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index 5efc0a3727a..744f7de57df 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Konfiguracja modułu Usługi ProductServiceSetup=Produkty i usługi moduły konfiguracyjne NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Domyślny kod kreskowy typu użyć do produktów diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index fb0923edbcb..22befcd2e4c 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Zobacz konfigurację modułu% s NbOfAttachedFiles=Liczba załączonych plików / dokumentów TotalSizeOfAttachedFiles=Całkowita wielkość załączonych plików / dokumentów @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Przywóz zestaw danych DolibarrNotification=Automatyczne powiadomienie ResizeDesc=Skriv inn ny bredde eller ny høyde. Forhold vil bli holdt under resizing ... diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index cadfc326e95..3317f16ba9a 100644 --- a/htdocs/langs/pl_PL/products.lang +++ b/htdocs/langs/pl_PL/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index 05a7af17809..6a19404be3c 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moje zadania / aktywności MyProjects=Moje projekty MyProjectsArea=Obszar moich projektów DurationEffective=Efektywny czas trwania -ProgressDeclared=Deklarowany postęp +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Obliczony postęp +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Czas +TimeConsumed=Consumed ListOfTasks=Lista zadań GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/pt_BR/projects.lang b/htdocs/langs/pt_BR/projects.lang index 716fa43b767..cee7bda314e 100644 --- a/htdocs/langs/pt_BR/projects.lang +++ b/htdocs/langs/pt_BR/projects.lang @@ -47,12 +47,8 @@ AddHereTimeSpentForWeek=Adicione aqui o tempo gasto para esta semana / tarefa Activities=Tarefas/atividades MyActivities=Minhas Tarefas/Atividades MyProjectsArea=Minha Área de projetos -ProgressDeclared=o progresso declarado TaskProgressSummary=Progresso tarefa CurentlyOpenedTasks=Tarefas atualmente abertas -TheReportedProgressIsLessThanTheCalculatedProgressionByX=O progresso declarado é menos %s do que a progressão calculada -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=O progresso declarado é mais %s do que a progressão calculada -ProgressCalculated=calculado do progresso WhichIamLinkedTo=ao qual estou ligado WhichIamLinkedToProject=ao qual estou vinculado ao projeto GoToListOfTimeConsumed=Ir para a lista de dispêndios de tempo diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index 77d70a3f040..97945494926 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Configuração do módulo "Serviços" ProductServiceSetup=Configuração do módulo "Produtos e Serviços" NumberOfProductShowInSelect=Número máximo de produtos a serem exibidos nas listas de seleção de combinação (0 = sem limite) ViewProductDescInFormAbility=Exibir descrições de produtos em formulários (caso contrário, mostrado em um pop-up de dica) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Ative no separador "Ficheiros Anexados" do produto/serviço uma opção para unir o documento em PDF ao orçamento em PDF, se o produto/serviço estiver no orçamento -ViewProductDescInThirdpartyLanguageAbility=Exibir descrições de produtos no idioma do terceiro +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Além disso, se você tiver um grande número de produtos (> 100 000), poderá aumentar a velocidade definindo PRODUCT_DONOTSEARCH_ANYWHERE como 1 em Setup-> Other. A pesquisa será limitada ao início da string. UseSearchToSelectProduct=Espere até pressionar uma tecla antes de carregar o conteúdo da lista de combinação de produtos (isso pode aumentar o desempenho se você tiver um grande número de produtos, mas for menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras predefinido para produtos diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index eb83548c18c..58dad92008d 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Relatório de despesas validado (aprovação obri Notify_EXPENSE_REPORT_APPROVE=Relatório de despesas aprovado Notify_HOLIDAY_VALIDATE=Deixe o pedido validado (aprovação obrigatória) Notify_HOLIDAY_APPROVE=Deixe o pedido aprovado +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Veja a configuração do módulo %s NbOfAttachedFiles=Número Ficheiros/Documentos anexos TotalSizeOfAttachedFiles=Tamanho Total dos Ficheiros/Documentos anexos @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importação conjunto de dados DolibarrNotification=Notificação automática ResizeDesc=Insira a nova largura OU altura. A proporção será mantida durante o redimensionamento... diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index 1645e82dee9..45ba3d7cb6a 100644 --- a/htdocs/langs/pt_PT/products.lang +++ b/htdocs/langs/pt_PT/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index bc1713523d8..77cd1521bfe 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -76,15 +76,16 @@ MyActivities=As Minhas Tarefas/Atividades MyProjects=Os Meus Projetos MyProjectsArea=A Minha Área de Projetos DurationEffective=Duração Efetiva -ProgressDeclared=Progresso declarado +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Progresso calculado +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Tempo +TimeConsumed=Consumed ListOfTasks=Lista de tarefas GoToListOfTimeConsumed=Ir para a lista de tempo consumido GanttView=Vista de Gantt diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index d131e90ac86..322a61e48f7 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Servicii de modul de configurare ProductServiceSetup=Produse şi Servicii de module de configurare NumberOfProductShowInSelect=Numărul maxim de produse pentru a fi afișate în listele de selectare combo (0 = fără limită) ViewProductDescInFormAbility=Afișează descrierile produsului în formulare (altfel este afișat într-un pop-up de tip tooltip) +DoNotAddProductDescAtAddLines=Nu adăuga descrierea produsului (din fișa produsului) la adăugarea de linii pe formulare +OnProductSelectAddProductDesc=Cum se utilizează descrierea produselor atunci când se adaugă un produs ca linie a unui document +AutoFillFormFieldBeforeSubmit=Completați automat câmpul de introducere a descrierii cu descrierea produsului +DoNotAutofillButAutoConcat=Nu completa automat câmpul de introducere cu descrierea produsului. Descrierea produsului va fi concatenată automat cu descrierea introdusă.  +DoNotUseDescriptionOfProdut=Descrierea produsului nu va fi niciodată inclusă în descrierea liniilor de pe documente MergePropalProductCard=Activați în fișier atașat la produs/serviciu o opțiune de îmbinare a produsului de tip document PDF la propunerea PDF azur dacă produsul/serviciul se află în propunere -ViewProductDescInThirdpartyLanguageAbility=Afișați descrierile produselor în limba părții terțea +ViewProductDescInThirdpartyLanguageAbility=Afișați descrierile produselor în formulare în limba terțului (altfel în limba utilizatorului)  UseSearchToSelectProductTooltip=De asemenea, dacă aveți un număr mare de number de produse (> 100 000), puteți crește viteza prin configurarea constantă a PRODUCT_DONOTSEARCH_ANYWHERE la 1 în Configurare-> Altele. Căutarea va fi apoi limitată la începutul șirului. UseSearchToSelectProduct=Așteptați până când apăsați o tastă înainte de a încărca conținutul listei combo-ului de produse (aceasta poate crește performanța dacă aveți un număr mare de produse, dar este mai puțin convenabil) SetDefaultBarcodeTypeProducts=Implicit tip de cod de bare de a utiliza pentru produse diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index 71fadeb9d6a..1f6709568f6 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Raportul de cheltuieli validat (aprobarea necesar Notify_EXPENSE_REPORT_APPROVE=Raportul privind cheltuielile a fost aprobat Notify_HOLIDAY_VALIDATE=Lăsați cererea validată (este necesară aprobarea) Notify_HOLIDAY_APPROVE=Lăsați cererea aprobată +Notify_ACTION_CREATE=Acţiune adăugată în Agendă SeeModuleSetup=Vezi setare modul %s NbOfAttachedFiles=Numărul de ataşat fişiere / documente TotalSizeOfAttachedFiles=Total marimea ataşat fişiere / documente @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Raportul de cheltuieli %s a fost validat. EMailTextExpenseReportApproved=Raportul de cheltuieli %s a fost aprobat. EMailTextHolidayValidated=Cererea de concediu %s a fost validată. EMailTextHolidayApproved=Cererea de concediu %s a fost aprobată. +EMailTextActionAdded=Acțiunea %s a fost adăugată în Agendă. ImportedWithSet=Import de date DolibarrNotification=Notificare Automată ResizeDesc=Introduceţi lăţimea noi sau înălţimea noi. Raportul va fi păstrat în timpul redimensionare ... diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index e623fd9e6cb..dec5f4abd1c 100644 --- a/htdocs/langs/ro_RO/products.lang +++ b/htdocs/langs/ro_RO/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Completează cu data ultimelor linii de servicii 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=Baza prețurilor în mod implicit (cu sau fără taxe) la adăugarea noilor prețuri de vânzare -AssociatedProductsAbility=Activare kit-uri (set de alte produse) +AssociatedProductsAbility=Activare kituri (set de mai multe produse)  VariantsAbility=Activare variante (variații ale produselor, de exemplu, culoare, dimensiune) AssociatedProducts=Kit-uri AssociatedProductsNumber=Numărul de produse care compun acest kit diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 25a12b3f4cd..f56ec6dd958 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -76,15 +76,16 @@ MyActivities=Activităţile / Taskurile mele MyProjects=Proiectele mele MyProjectsArea=Zona proiectelor mele DurationEffective=Durata efectivă -ProgressDeclared=Progres calculat +ProgressDeclared=Progres real declarat TaskProgressSummary=Progres task CurentlyOpenedTasks=Taskuri deschise recent -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Progresul declarat este mai mic cu %s decât cel calculat -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Progresul declarat este mai mare cu %s decât cel calculat -ProgressCalculated=Progres calculat +TheReportedProgressIsLessThanTheCalculatedProgressionByX=Progresul real declarat este mai mic cu %s decât progresul consumului +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Progresul real declarat este mai mare cu %s decât progresul consumului +ProgressCalculated=Progres consum WhichIamLinkedTo=la care sunt atribuit WhichIamLinkedToProject=pentru care sunt atribuit la proiect Time=Timp +TimeConsumed=Consumat ListOfTasks=Lista de sarcini GoToListOfTimeConsumed=Accesați lista de timp consumată GanttView=Vizualizare Gantt diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index f8d2f6942fd..fe7795257cd 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Настройка модуля Услуг ProductServiceSetup=Настройка модулей Продуктов и Услуг NumberOfProductShowInSelect=Максимальное количество товаров для отображения в комбинированных списках выбора (0 = без ограничений) ViewProductDescInFormAbility=Отображать описания продуктов в формах (в противном случае отображается во всплывающей подсказке) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Активировать в продукте/услуге Вложенные файлы вставить опцию объединить PDF-документ продукта в предложение PDF azur, если продукт/услуга находится в предложении -ViewProductDescInThirdpartyLanguageAbility=Отображать описания продуктов на языке контрагентов +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Также, если у вас есть большое количество продуктов (> 100 000), вы можете увеличить скорость, установив постоянное значение PRODUCT_DONOTSEARCH_ANYWHERE равное 1 в меню «Настройка» - «Другие настройки». Поиск будет ограничен началом строки. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Стандартный вид штрих-кода, используемого для продуктов diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index 975a61e5488..2a5bf106504 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Посмотреть настройку модуля %s NbOfAttachedFiles=Количество прикрепленных файлов / документов TotalSizeOfAttachedFiles=Общий размер присоединенных файлов / документы @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Импорт данных DolibarrNotification=Автоматические уведомления ResizeDesc=Skriv inn ny bredde eller ny høyde. Forhold vil bli holdt under resizing ... diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang index e399136ba48..105d51de4e7 100644 --- a/htdocs/langs/ru_RU/products.lang +++ b/htdocs/langs/ru_RU/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index c1f34e89f14..2b752094276 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -76,15 +76,16 @@ MyActivities=Мои задачи / мероприятия MyProjects=Мои проекты MyProjectsArea=My projects Area DurationEffective=Эффективная длительность -ProgressDeclared=Заданный ход выполнения проекта +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Вычисленный ход выполнения проекта +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Время +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 5d56e6cdbf8..c91c6ce99c0 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Služby modul nastavenia ProductServiceSetup=Produkty a služby moduly nastavenie NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Predvolený typ čiarového kódu použiť pre produkty diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index 681daf39c91..cdf766025a8 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Počet pripojených súborov / dokumentov TotalSizeOfAttachedFiles=Celková veľkosť pripojených súborov / dokumentov @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Dovoz súbor dát DolibarrNotification=Automatické upozornenie ResizeDesc=Zadajte novú šírku alebo výšku novej. Pomer budú uchovávané pri zmene veľkosti ... diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang index bd34c331e16..ad7d3f5440e 100644 --- a/htdocs/langs/sk_SK/products.lang +++ b/htdocs/langs/sk_SK/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index e66dcd1adf2..43af18884d9 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moje úlohy / činnosti MyProjects=Moje projekty MyProjectsArea=My projects Area DurationEffective=Efektívny čas -ProgressDeclared=Deklarovaná pokrok +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Vypočítaná pokrok +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Čas +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index 5b46b9c1770..e30748d6b66 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Storitve modul nastavitev ProductServiceSetup=Izdelki in storitve moduli za nastavitev NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Aktivacija opcije za združevanje PDF dokumenta proizvoda in PDF ponudbe azur v zavihku priložene datoteke proizvod/storitev, če je proizvod/storitev v ponudbi -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Privzet tip črtne kode za proizvode diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index bf7ec90ae36..e5b75647b50 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Glejte nastavitev modula %s NbOfAttachedFiles=Število pripetih datotek/dokumentov TotalSizeOfAttachedFiles=Skupna velikost pripetih datotek/dokumentov @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Nabor podatkov za uvoz DolibarrNotification=Avtomatsko obvestilo ResizeDesc=Vnesite novo širino ALI novo višino. Razmerje se bo med spreminjanjem velikosti ohranilo... diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 0c7ad25d31b..7fb5405f77f 100644 --- a/htdocs/langs/sl_SI/products.lang +++ b/htdocs/langs/sl_SI/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index 9edb7c2fcaa..452a680f3b5 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moje naloge/aktivnosti MyProjects=Moji projekti MyProjectsArea=My projects Area DurationEffective=Efektivno trajanje -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Čas +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index fb3aa531bd5..56eeb237acb 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index 32cc9045e5a..9540d523083 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index 72ef8f02173..93dc7f8448c 100644 --- a/htdocs/langs/sq_AL/products.lang +++ b/htdocs/langs/sq_AL/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 4a272a821a1..93142ff9135 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 15917e890ca..a2746237e7e 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index 0b96a4cfd7c..6abb3f27b1a 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Vidi podešavanja modula %s NbOfAttachedFiles=Broj fajlova/dokumenata u prilogu TotalSizeOfAttachedFiles=Ukupna veličina priloženih fajlova/dokumenata @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Podaci za import DolibarrNotification=Automatsko obaveštenje ResizeDesc=Unesite novu širinu ILI novu visinu. Proporcija će biti održana prilikom promene veličine... diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index e7807279d63..1df147564f2 100644 --- a/htdocs/langs/sr_RS/products.lang +++ b/htdocs/langs/sr_RS/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index ac565c0140b..931194501ee 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -76,15 +76,16 @@ MyActivities=Moji zadaci/aktivnosti MyProjects=Moji projekti MyProjectsArea=Moja zona projekata DurationEffective=Efektivno trajanje -ProgressDeclared=Prijavljeni napredak +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Izračunati napredak +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Vreme +TimeConsumed=Consumed ListOfTasks=Lista zadataka GoToListOfTimeConsumed=Idi na listu utrošenog vremena GanttView=Gantt View diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index 052749dd38f..64ac737fde8 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -38,7 +38,7 @@ YourSession=Din session Sessions=Användarsessioner WebUserGroup=Webbserver användare / grupp PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s +PermissionsOnFile=Behörigheter på fil %s NoSessionFound=Din PHP-konfiguration verkar inte tillåta att du registrerar aktiva sessioner. Den katalog som används för att spara sessioner ( %s ) kan skyddas (till exempel av operatörsbehörigheter eller genom PHP-direktivet open_basedir). DBStoringCharset=Databas charset för att lagra data DBSortingCharset=Databas charset att sortera data @@ -1598,8 +1598,13 @@ ServiceSetup=Tjänster modul konfiguration ProductServiceSetup=Produkter och tjänster moduler inställning NumberOfProductShowInSelect=Maximalt antal produkter som ska visas i kombinationsvallista (0 = ingen gräns) ViewProductDescInFormAbility=Visa produktbeskrivningar i formulär (visas annars i en verktygstips) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Aktivera i produkt / tjänst Bifogade fliken Filer en möjlighet att slå samman produkt PDF-dokument till förslag PDF azur om produkten / tjänsten är på förslaget -ViewProductDescInThirdpartyLanguageAbility=Visa produktbeskrivningar på tredje parts språk +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Även om du har ett stort antal produkter (> 100 000) kan du öka hastigheten genom att ställa in konstant PRODUCT_DONOTSEARCH_ANYWHERE till 1 i Setup-> Other. Sökningen begränsas sedan till början av strängen. UseSearchToSelectProduct=Vänta tills du trycker på en knapp innan du laddar innehållet i produktkombinationslistan (Detta kan öka prestanda om du har ett stort antal produkter, men det är mindre bekvämt) SetDefaultBarcodeTypeProducts=Standard streckkod som ska användas för produkter diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index bdf131055ed..1f8d1297596 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Utläggsrapport bekräftat (godkännande krävs) Notify_EXPENSE_REPORT_APPROVE=Kostnadsrapport godkänd Notify_HOLIDAY_VALIDATE=Lämna förfrågan bekräftat (godkännande krävs) Notify_HOLIDAY_APPROVE=Lämna förfrågan godkänd +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Se inställning av modul %s NbOfAttachedFiles=Antal bifogade filer / dokument TotalSizeOfAttachedFiles=Total storlek på bifogade filer / dokument @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Kostnadsrapport %s har bekräftats. EMailTextExpenseReportApproved=Kostnadsrapport %s har godkänts. EMailTextHolidayValidated=Lämna förfrågan %s har bekräftats. EMailTextHolidayApproved=Förfrågan %s har godkänts. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Import dataunderlaget DolibarrNotification=Automatisk anmälan ResizeDesc=Ange nya bredd eller ny höjd. Förhållandet kommer att hållas under storleksändring ... diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 00c9fe273ff..895502e8464 100644 --- a/htdocs/langs/sv_SE/products.lang +++ b/htdocs/langs/sv_SE/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index b19f2e470bc..144d986172d 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -39,14 +39,14 @@ ShowProject=Visa projekt ShowTask=Visa uppgift SetProject=Ställ projekt NoProject=Inget projekt definieras eller ägs -NbOfProjects=Number of projects -NbOfTasks=Number of tasks +NbOfProjects=Antal projekt +NbOfTasks=Antal uppgifter TimeSpent=Tid som tillbringas TimeSpentByYou=Tid spenderad av dig TimeSpentByUser=Tid spenderad av användaren TimesSpent=Tid -TaskId=Task ID -RefTask=Task ref. +TaskId=UppgiftsID +RefTask=Uppgiftsreferens LabelTask=Task label TaskTimeSpent=Tid som ägnas åt uppgifter TaskTimeUser=Användare @@ -85,6 +85,7 @@ ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Tid +TimeConsumed=Consumed ListOfTasks=Lista över uppgifter GoToListOfTimeConsumed=Gå till listan över tidskrävt GanttView=Gantt-vy diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/sw_SW/products.lang +++ b/htdocs/langs/sw_SW/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 14c917aad14..d408b3e34a8 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=บริการติดตั้งโมดูล ProductServiceSetup=ผลิตภัณฑ์และบริการการติดตั้งโมดูล NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=เปิดใช้งานในผลิตภัณฑ์ / บริการที่แนบมาไฟล์ที่แท็บตัวเลือกที่จะผสานเอกสาร PDF สินค้ากับข้อเสนอในรูปแบบ PDF azur หากผลิตภัณฑ์ / บริการที่อยู่ในข้อเสนอ -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=ประเภทบาร์โค้ดเริ่มต้นที่จะใช้สำหรับผลิตภัณฑ์ diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index 520ff5d1076..b69c81198d1 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=ดูการตั้งค่าของโมดูล% s NbOfAttachedFiles=จำนวนแนบไฟล์ / เอกสาร TotalSizeOfAttachedFiles=ขนาดของไฟล์ที่แนบมา / เอกสาร @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=การนำเข้าข้อมูลที่ตั้ง DolibarrNotification=การแจ้งเตือนอัตโนมัติ ResizeDesc=ป้อนความกว้างใหม่หรือสูงใหม่ อัตราส่วนจะถูกเก็บไว้ในช่วงการปรับขนาด ... diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index c1e6935e3ec..5d91c67d7ec 100644 --- a/htdocs/langs/th_TH/products.lang +++ b/htdocs/langs/th_TH/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index 3cdc4c31d90..dc146212012 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -76,15 +76,16 @@ MyActivities=งานของฉัน / กิจกรรม MyProjects=โครงการของฉัน MyProjectsArea=My projects Area DurationEffective=ระยะเวลาที่มีประสิทธิภาพ -ProgressDeclared=ความคืบหน้าการประกาศ +ProgressDeclared=Declared real progress 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 -ProgressCalculated=ความคืบหน้าของการคำนวณ +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=เวลา +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index cb583b2f55d..5109cdaf50b 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Hizmetler modülü kurulumu ProductServiceSetup=Ürünler ve Hizmetler modüllerinin kurulumu NumberOfProductShowInSelect=Aşağı açılan seçim listelerinde gösterilecek maksimum ürün sayısı (0=limit yok) ViewProductDescInFormAbility=Ürün açıklamalarını formlarda göster (aksi takdirde araç ipucu penceresinde gösterilir) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Eğer ürün/hizmet teklifte varsa Ekli Dosyalar sekmesinde ürün/hizmet seçeneğini etkinleştirin, böylece ürün PDF belgesini PDF azur teklifine birleştirirsiniz -ViewProductDescInThirdpartyLanguageAbility=Ürün açıklamalarını üçün partinin dilinde görüntüle +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Ayrıca çok fazla sayıda ürüne sahipseniz (>100.000), Ayarlar->Diğer Ayarlar menüsünden PRODUCT_DONOTSEARCH_ANYWHERE sabitini 1 olarak ayarlayarak hızı arttırabilirsiniz. Bu durumda, arama dizenin başlangıcıyla sınırlı olacaktır. UseSearchToSelectProduct=Aşağı açılır listeden ürün içeriği listelemeden önce bir tuşa basarak arama yapmanızı bekler (Çok sayıda ürününüz varsa bu performansı artırabilir, fakat daha az kullanışlıdır) SetDefaultBarcodeTypeProducts=Ürünler için kullanılacak varsayılan barkod türü diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 3b32b32bc93..66cfdd557cb 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) Notify_EXPENSE_REPORT_APPROVE=Gider raporu onaylandı Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) Notify_HOLIDAY_APPROVE=Leave request approved +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=%s modülü kurulumuna bak NbOfAttachedFiles=Eklenen dosya/belge sayısı TotalSizeOfAttachedFiles=Eklenen dosyaların/belgelerin toplam boyutu @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Veri dizisinin içe aktarımı DolibarrNotification=Otomatik bilgilendirme ResizeDesc=Yeni genişliği VEYA yeni yüksekliği gir. Yeniden boyutlandırma sırasında oran kotunacaktır... diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index 8474ac1176c..f06d6621115 100644 --- a/htdocs/langs/tr_TR/products.lang +++ b/htdocs/langs/tr_TR/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index 8b8891d2c6b..24cb80a885a 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -76,15 +76,16 @@ MyActivities=Görevlerim/etkinliklerim MyProjects=Projelerim MyProjectsArea=Projelerim Alanı DurationEffective=Etken süre -ProgressDeclared=Bildirilen ilerleme +ProgressDeclared=Declared real progress TaskProgressSummary=Task progress CurentlyOpenedTasks=Mevcut açık görevler -TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression -ProgressCalculated=Hesaplanan ilerleme +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Süre +TimeConsumed=Consumed ListOfTasks=Görevler listesi GoToListOfTimeConsumed=Tüketilen süre listesine git GanttView=Gantt View diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index 778d6d5ee2c..f283708e31a 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index b8091218ad9..6f41e992ef6 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Див. налаштування модуля %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index 3f4c3573801..80d7861289c 100644 --- a/htdocs/langs/uk_UA/products.lang +++ b/htdocs/langs/uk_UA/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index 6218178d78d..0ff4be4d522 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/uz_UZ/products.lang +++ b/htdocs/langs/uz_UZ/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index b6e2a4ac6f2..1a59a192e29 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Cài đặt module dịch vụ ProductServiceSetup=Cài đặt module Sản phẩm và Dịch vụ NumberOfProductShowInSelect=Số lượng sản phẩm tối đa được hiển thị trong danh sách chọn kết hợp (0 = không giới hạn) ViewProductDescInFormAbility=Hiển thị các mô tả sản phẩm trong biểu mẫu (được hiển thị trong cửa sổ bật lên chú giải công cụ) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Kích hoạt trong sản phẩm/dịch vụ Tệp tệp đính kèm một tùy chọn để hợp nhất tài liệu PDF của sản phẩm với đề xuất PDF azur nếu sản phẩm/dịch vụ nằm trong đề xuất -ViewProductDescInThirdpartyLanguageAbility=Hiển thị mô tả sản phẩm bằng ngôn ngữ của bên thứ ba +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Ngoài ra, nếu bạn có số lượng lớn sản phẩm (> 100 000), bạn có thể tăng tốc độ bằng cách đặt hằng số PRODUCT_DONOTSEARCH_ANYWHERE thành 1 trong Cài đặt-> Khác. Tìm kiếm sau đó sẽ được giới hạn để bắt đầu chuỗi tìm kiếm. UseSearchToSelectProduct=Đợi cho đến khi bạn nhấn một phím trước khi tải nội dung của danh sách kết hợp sản phẩm - combo list (Điều này có thể tăng hiệu suất nếu bạn có số lượng lớn sản phẩm, nhưng nó không thuận tiện) SetDefaultBarcodeTypeProducts=Loại mã vạch mặc định để sử dụng cho các sản phẩm diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index cff053ec923..5ad76877a81 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=Báo cáo chi phí được xác nhận (yêu c Notify_EXPENSE_REPORT_APPROVE=Báo cáo chi phí đã được phê duyệt Notify_HOLIDAY_VALIDATE=Yêu cầu nghỉ phép được xác nhận (yêu cầu phê duyệt) Notify_HOLIDAY_APPROVE=Yêu cầu nghỉ phép đã được phê duyệt +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=Xem thiết lập mô-đun %s NbOfAttachedFiles=Số đính kèm tập tin / tài liệu TotalSizeOfAttachedFiles=Tổng dung lượng của các file đính kèm / tài liệu @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=Báo cáo chi phí %s đã được xác nhận. EMailTextExpenseReportApproved=Báo cáo chi phí %s đã được phê duyệt. EMailTextHolidayValidated=Yêu cầu nghỉ phép %s đã được xác nhận. EMailTextHolidayApproved=Yêu cầu nghỉ phép %s đã được phê duyệt. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Thiết lập nhập dữ liệu DolibarrNotification=Thông báo tự động ResizeDesc=Nhập chiều rộng mới HOẶC chiều cao mới. Tỷ lệ sẽ được giữ trong khi thay đổi kích thước ... diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index a00697ef8f0..2e0982b1ff6 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index 66a08436bc7..0337979bc3b 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -76,15 +76,16 @@ MyActivities=Tác vụ/hoạt động của tôi MyProjects=Dự án của tôi MyProjectsArea=Khu vực dự án của tôi DurationEffective=Thời hạn hiệu lực -ProgressDeclared=Tiến độ công bố +ProgressDeclared=Declared real progress TaskProgressSummary=Tiến độ công việc CurentlyOpenedTasks=Công việc còn mở -TheReportedProgressIsLessThanTheCalculatedProgressionByX=Tiến độ khai báo ít hơn %s so với tiến độ tính toán -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Tiến độ khai báo là nhiều hơn %s so với tiến độ tính toán -ProgressCalculated=Tiến độ được tính toán +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=cái mà tôi liên kết đến WhichIamLinkedToProject=cái mà tôi liên kết với dự án Time=Thời gian +TimeConsumed=Consumed ListOfTasks=Danh sách nhiệm vụ GoToListOfTimeConsumed=Tới danh sách thời gian tiêu thụ GanttView=Chế độ xem Gantt diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 845d076738d..dcedbb1c7a9 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=服务模块设置 ProductServiceSetup=产品和服务模块的设置 NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=在产品/服务附加文件选项卡中激活如果产品/服务在提案中,则将产品PDF文档合并到提案PDF azur的选项 -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=默认的条码类型 diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index d0ef798fabf..8a671ff8156 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=参见模块设置 %s NbOfAttachedFiles=所附文件数/文件 TotalSizeOfAttachedFiles=所附文件/文档的总大小 @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=输入数据集 DolibarrNotification=自动通知 ResizeDesc=输入新的高度新的宽度 。比率将维持在调整大小... diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index 2501a848510..71ff5981d18 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index 748dc5a455e..29454990c0b 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -76,15 +76,16 @@ MyActivities=我的任务/活动 MyProjects=我的项目 MyProjectsArea=我的项目区 DurationEffective=有效时间 -ProgressDeclared=进度 +ProgressDeclared=Declared real progress 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 -ProgressCalculated=计算进展 +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=时间 +TimeConsumed=Consumed ListOfTasks=任务列表 GoToListOfTimeConsumed=转到消耗的时间列表 GanttView=甘特视图 diff --git a/htdocs/langs/zh_HK/admin.lang b/htdocs/langs/zh_HK/admin.lang index 189b0b5186a..d03f45a4e25 100644 --- a/htdocs/langs/zh_HK/admin.lang +++ b/htdocs/langs/zh_HK/admin.lang @@ -1598,8 +1598,13 @@ ServiceSetup=Services module setup ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) SetDefaultBarcodeTypeProducts=Default barcode type to use for products diff --git a/htdocs/langs/zh_HK/other.lang b/htdocs/langs/zh_HK/other.lang index 0a7b3723ab1..7a895bb1ca5 100644 --- a/htdocs/langs/zh_HK/other.lang +++ b/htdocs/langs/zh_HK/other.lang @@ -78,6 +78,7 @@ 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_ACTION_CREATE=Added action to Agenda SeeModuleSetup=See setup of module %s NbOfAttachedFiles=Number of attached files/documents TotalSizeOfAttachedFiles=Total size of attached files/documents @@ -215,6 +216,7 @@ 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. +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=Importation data set DolibarrNotification=Automatic notification ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing... diff --git a/htdocs/langs/zh_HK/products.lang b/htdocs/langs/zh_HK/products.lang index f0c4a5362b8..9ecc11ed93d 100644 --- a/htdocs/langs/zh_HK/products.lang +++ b/htdocs/langs/zh_HK/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates 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=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/zh_HK/projects.lang b/htdocs/langs/zh_HK/projects.lang index baf0ecde17f..05aa1f5a560 100644 --- a/htdocs/langs/zh_HK/projects.lang +++ b/htdocs/langs/zh_HK/projects.lang @@ -76,15 +76,16 @@ MyActivities=My tasks/activities MyProjects=My projects MyProjectsArea=My projects Area DurationEffective=Effective duration -ProgressDeclared=Declared progress +ProgressDeclared=Declared real progress 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 -ProgressCalculated=Calculated progress +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption +ProgressCalculated=Progress on consumption WhichIamLinkedTo=which I'm linked to WhichIamLinkedToProject=which I'm linked to project Time=Time +TimeConsumed=Consumed ListOfTasks=List of tasks GoToListOfTimeConsumed=Go to list of time consumed GanttView=Gantt View diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index f022316f9da..a9af31dd5c7 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -1173,7 +1173,7 @@ Delays_MAIN_DELAY_HOLIDAYS=休假申請批准 SetupDescription1=在開始使用Dolibarr之前,必須定義一些初始參數並啟用/設定模組。 SetupDescription2=以下兩個部分是必需的(“設定”選單中的前兩個項目): SetupDescription3=  %s-> %s

用於自訂您應用程式默認行為的基本參數(例如 跟國家相關的功能)。 -SetupDescription4=  %s-> %s

此軟件是許多模塊/應用程序的套件。必須啟用和配置與您的需求相關的模塊。這些模塊的激活將顯示菜單條目。 +SetupDescription4=  %s-> %s

此軟體是許多模組/應用程式的套件。必須啟用和配置與您的需求相關的模組。這些模組啟動後將會顯示在選單上。 SetupDescription5=其他設定選單項目管理可選參數。 LogEvents=安全稽核事件 Audit=稽核 @@ -1598,8 +1598,13 @@ ServiceSetup=服務模組設定 ProductServiceSetup=產品和服務模組設定 NumberOfProductShowInSelect=組合選擇清單中可顯示的最大產品數量(0 =無限制) ViewProductDescInFormAbility=在表格中顯示產品描述(否則在工具提示彈出窗口中顯示) +DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms +OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document +AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product +DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. +DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents MergePropalProductCard=若產品/服務在提案/建議書內,啟動產品/服務中附件檔分頁選項以將產品 PDF 文件整合成報價/建議書/提案的 azur 格式 PDF -ViewProductDescInThirdpartyLanguageAbility=在合作方的語言中顯示產品描述 +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) UseSearchToSelectProductTooltip=同樣,如果您有大量產品(> 100 000),則可以通過在設定-其他中將PRODUCT_DONOTSEARCH_ANYWHERE常數變數變為1來提高速度。然後搜尋將僅限於字串開頭的。 UseSearchToSelectProduct=等到您按下一個鍵,然後再載入產品組合清單的內容(如果您有很多產品,這可能會提高性能,但是使用起來不太方便) SetDefaultBarcodeTypeProducts=產品預設條碼類型 diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index 058ef4a3c1e..c11de47c88f 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -78,6 +78,7 @@ Notify_EXPENSE_REPORT_VALIDATE=費用報告已驗證(需要批准) Notify_EXPENSE_REPORT_APPROVE=費用報告已批准 Notify_HOLIDAY_VALIDATE=休假申請已驗證(需要批准) Notify_HOLIDAY_APPROVE=休假申請已批准 +Notify_ACTION_CREATE=Added action to Agenda SeeModuleSetup=請參閱模組%s的設定 NbOfAttachedFiles=所附檔案/文件數 TotalSizeOfAttachedFiles=附件大小總計 @@ -215,6 +216,7 @@ EMailTextExpenseReportValidated=費用報告%s已通過驗證。 EMailTextExpenseReportApproved=費用報告%s已批准。 EMailTextHolidayValidated=休假申請%s已通過驗證。 EMailTextHolidayApproved=休假申請%s已被批准。 +EMailTextActionAdded=The action %s has been added to the Agenda. ImportedWithSet=匯入資料集 DolibarrNotification=自動通知 ResizeDesc=輸入新的寬度 新的高度。調整大小時將維持長寬比率... diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index 5900bdbc3c2..6b2594c3473 100644 --- a/htdocs/langs/zh_TW/products.lang +++ b/htdocs/langs/zh_TW/products.lang @@ -108,7 +108,7 @@ FillWithLastServiceDates=Fill with last service line dates MultiPricesAbility=每個產品/服務有多個價格區段(每個客戶屬於一個價格區段) MultiPricesNumPrices=價格數量 DefaultPriceType=增加新銷售價格時的每個預設價格(含稅和不含稅)基準 -AssociatedProductsAbility=Enable Kits (set of other products) +AssociatedProductsAbility=Enable Kits (set of several products) VariantsAbility=Enable Variants (variations of products, for example color, size) AssociatedProducts=Kits AssociatedProductsNumber=Number of products composing this kit diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 163b487dd3a..2365c2b9d45 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -76,15 +76,16 @@ MyActivities=我的任務/活動 MyProjects=我的專案 MyProjectsArea=專案區 DurationEffective=有效期限 -ProgressDeclared=進度宣布 +ProgressDeclared=宣布實際進度 TaskProgressSummary=任務進度 CurentlyOpenedTasks=目前的打開任務 -TheReportedProgressIsLessThanTheCalculatedProgressionByX=預計進度比計算的進度少%s -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=預計進度比計算的進度多%s -ProgressCalculated=進度計算 +TheReportedProgressIsLessThanTheCalculatedProgressionByX=宣布的實際進度小於消耗進度%s +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=宣布的實際進度比消耗進度多%s +ProgressCalculated=消耗進度 WhichIamLinkedTo=我連結到的 WhichIamLinkedToProject=此我已連結到專案 Time=時間 +TimeConsumed=Consumed ListOfTasks=任務清單 GoToListOfTimeConsumed=前往工作時間清單 GanttView=甘特圖 @@ -211,9 +212,9 @@ ProjectNbProjectByMonth=每月建立的專案數 ProjectNbTaskByMonth=每月建立的任務數 ProjectOppAmountOfProjectsByMonth=每月的潛在客戶數量 ProjectWeightedOppAmountOfProjectsByMonth=每月加權的潛在客戶數量 -ProjectOpenedProjectByOppStatus=Open project|lead by lead status -ProjectsStatistics=Statistics on projects or leads -TasksStatistics=Statistics on tasks of projects or leads +ProjectOpenedProjectByOppStatus=依照潛在狀態開啟專案/ 潛在 +ProjectsStatistics=專案/潛在統計 +TasksStatistics=專案/潛在任務的統計 TaskAssignedToEnterTime=任務已分配。應該可以輸入此任務的時間。 IdTaskTime=任務時間ID YouCanCompleteRef=如果要使用一些後綴來完成引用,則建議增加-字元以將其分隔,因此自動編號仍可正確用於下一個專案。例如%s-MYSUFFIX diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index 5d4d31c612d..73d17373339 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -24,13 +24,13 @@ StockAtDateInFuture=將來的日期 StocksByLotSerial=依批次/序號的庫存 LotSerial=批次/序號 LotSerialList=批次/序號清單 -Movements=轉讓 +Movements=庫存移轉 ErrorWarehouseRefRequired=倉庫引用的名稱為必填 ListOfWarehouses=倉庫清單 -ListOfStockMovements=庫存轉讓清單 +ListOfStockMovements=庫存移轉清單 ListOfInventories=庫存清單 -MovementId=轉讓編號 -StockMovementForId=轉讓編號 %d +MovementId=移轉編號 +StockMovementForId=移轉編號 %d ListMouvementStockProject=與項目相關的庫存變動清單 StocksArea=庫存區域 AllWarehouses=所有倉庫 diff --git a/htdocs/societe/list.php b/htdocs/societe/list.php index f4ddb7e571f..ec748d95e94 100644 --- a/htdocs/societe/list.php +++ b/htdocs/societe/list.php @@ -1181,17 +1181,17 @@ while ($i < min($num, $limit)) } if (!empty($arrayfields['s.phone']['checked'])) { - print "".dol_print_phone($obj->phone, $obj->country_code, 0, $obj->rowid, 'AC_TEL')."\n"; + print "".dol_print_phone($obj->phone, $obj->country_code, 0, $obj->rowid, 'AC_TEL', ' ', 'phone')."\n"; if (!$i) $totalarray['nbfield']++; } if (!empty($arrayfields['s.fax']['checked'])) { - print "".dol_print_phone($obj->fax, $obj->country_code, 0, $obj->rowid, 'AC_TEL')."\n"; + print "".dol_print_phone($obj->fax, $obj->country_code, 0, $obj->rowid, 'AC_TEL', ' ', 'fax')."\n"; if (!$i) $totalarray['nbfield']++; } if (!empty($arrayfields['s.url']['checked'])) { - print "".$obj->url."\n"; + print "".dol_print_url($obj->url, '', '', 1)."\n"; if (!$i) $totalarray['nbfield']++; } if (!empty($arrayfields['s.siren']['checked'])) diff --git a/htdocs/takepos/freezone.php b/htdocs/takepos/freezone.php index a010ba184eb..f8ed00c5590 100644 --- a/htdocs/takepos/freezone.php +++ b/htdocs/takepos/freezone.php @@ -95,7 +95,7 @@ top_htmlhead($head, '', 0, 0, $arrayofjs, $arrayofcss); */ function Save() { console.log("We click so we call page invoice.php with place= tva_tx="+vatRate); - parent.$("#poslines").load("invoice.php?action=freezone&place=&desc="+$('#desc').val()+"&number="+$('#number').val()+"&tva_tx="+vatRate); + parent.$("#poslines").load("invoice.php?action=freezone&place=&number="+$('#number').val()+"&tva_tx="+vatRate, {desc:$('#desc').val()}); parent.$.colorbox.close(); } diff --git a/htdocs/user/list.php b/htdocs/user/list.php index 3b21e19f349..04921893b6f 100644 --- a/htdocs/user/list.php +++ b/htdocs/user/list.php @@ -99,6 +99,8 @@ $fieldstosearchall = array( 'u.lastname'=>"Lastname", 'u.firstname'=>"Firstname", 'u.accountancy_code'=>"AccountancyCode", + 'u.office_phone'=>"PhonePro", + 'u.user_mobile'=>"PhoneMobile", 'u.email'=>"EMail", 'u.note'=>"Note", ); @@ -117,6 +119,8 @@ $arrayfields = array( 'u.employee'=>array('label'=>"Employee", 'checked'=>($mode == 'employee' ? 1 : 0), 'position'=>25), 'u.fk_user'=>array('label'=>"HierarchicalResponsible", 'checked'=>1, 'position'=>27), 'u.accountancy_code'=>array('label'=>"AccountancyCode", 'checked'=>0, 'position'=>30), + 'u.office_phone'=>array('label'=>"PhonePro", 'checked'=>1, 'position'=>31), + 'u.user_mobile'=>array('label'=>"PhoneMobile", 'checked'=>1, 'position'=>32), 'u.email'=>array('label'=>"EMail", 'checked'=>1, 'position'=>35), 'u.api_key'=>array('label'=>"ApiKey", 'checked'=>0, 'position'=>40, "enabled"=>($conf->api->enabled && $user->admin)), 'u.fk_soc'=>array('label'=>"Company", 'checked'=>($contextpage == 'employeelist' ? 0 : 1), 'position'=>45), @@ -142,6 +146,8 @@ $search_firstname = GETPOST('search_firstname', 'alpha'); $search_gender = GETPOST('search_gender', 'alpha'); $search_employee = GETPOST('search_employee', 'alpha'); $search_accountancy_code = GETPOST('search_accountancy_code', 'alpha'); +$search_phonepro = GETPOST('search_phonepro', 'alpha'); +$search_phonemobile = GETPOST('search_phonemobile', 'alpha'); $search_email = GETPOST('search_email', 'alpha'); $search_api_key = GETPOST('search_api_key', 'alphanohtml'); $search_statut = GETPOST('search_statut', 'intcomma'); @@ -199,6 +205,8 @@ if (empty($reshook)) $search_gender = ""; $search_employee = ""; $search_accountancy_code = ""; + $search_phonepro = ""; + $search_phonemobile = ""; $search_email = ""; $search_statut = ""; $search_thirdparty = ""; @@ -296,11 +304,11 @@ if ($contextpage == 'employeelist' && $search_employee == 1) { $user2 = new User($db); -$sql = "SELECT DISTINCT u.rowid, u.lastname, u.firstname, u.admin, u.fk_soc, u.login, u.email, u.api_key, u.accountancy_code, u.gender, u.employee, u.photo,"; +$sql = "SELECT DISTINCT u.rowid, u.lastname, u.firstname, u.admin, u.fk_soc, u.login, u.office_phone, u.user_mobile, u.email, u.api_key, u.accountancy_code, u.gender, u.employee, u.photo,"; $sql .= " u.salary, u.datelastlogin, u.datepreviouslogin,"; $sql .= " u.ldap_sid, u.statut, u.entity,"; $sql .= " u.tms as date_update, u.datec as date_creation,"; -$sql .= " u2.rowid as id2, u2.login as login2, u2.firstname as firstname2, u2.lastname as lastname2, u2.admin as admin2, u2.fk_soc as fk_soc2, u2.email as email2, u2.gender as gender2, u2.photo as photo2, u2.entity as entity2, u2.statut as statut2,"; +$sql .= " u2.rowid as id2, u2.login as login2, u2.firstname as firstname2, u2.lastname as lastname2, u2.admin as admin2, u2.fk_soc as fk_soc2, u2.office_phone as ofice_phone2, u2.user_mobile as user_mobile2, u2.email as email2, u2.gender as gender2, u2.photo as photo2, u2.entity as entity2, u2.statut as statut2,"; $sql .= " s.nom as name, s.canvas"; // Add fields from extrafields if (!empty($extrafields->attributes[$object->table_element]['label'])) { @@ -337,6 +345,8 @@ if (is_numeric($search_employee) && $search_employee >= 0) { $sql .= ' AND u.employee = '.(int) $search_employee; } if ($search_accountancy_code != '') $sql .= natural_search("u.accountancy_code", $search_accountancy_code); +if ($search_phonepro != '') $sql .= natural_search("u.office_phone", $search_phonepro); +if ($search_phonemobile != '') $sql .= natural_search("u.user_mobile", $search_phonemobile); if ($search_email != '') $sql .= natural_search("u.email", $search_email); if ($search_api_key != '') $sql .= natural_search("u.api_key", $search_api_key); if ($search_statut != '' && $search_statut >= 0) $sql .= " AND u.statut IN (".$db->sanitize($db->escape($search_statut)).")"; @@ -408,6 +418,8 @@ if ($search_firstname != '') $param .= "&search_firstname=".urlencode($searc if ($search_gender != '') $param .= "&search_gender=".urlencode($search_gender); if ($search_employee != '') $param .= "&search_employee=".urlencode($search_employee); if ($search_accountancy_code != '') $param .= "&search_accountancy_code=".urlencode($search_accountancy_code); +if ($search_phonepro != '') $param .= "&search_phonepro=".urlencode($search_phonepro); +if ($search_phonemobile != '') $param .= "&search_phonemobile=".urlencode($search_phonemobile); if ($search_email != '') $param .= "&search_email=".urlencode($search_email); if ($search_api_key != '') $param .= "&search_api_key=".urlencode($search_api_key); if ($search_supervisor > 0) $param .= "&search_supervisor=".urlencode($search_supervisor); @@ -543,6 +555,14 @@ if (!empty($arrayfields['u.accountancy_code']['checked'])) { print ''; } +if (!empty($arrayfields['u.office_phone']['checked'])) +{ + print ''; +} +if (!empty($arrayfields['u.user_mobile']['checked'])) +{ + print ''; +} if (!empty($arrayfields['u.email']['checked'])) { print ''; @@ -612,6 +632,8 @@ if (!empty($arrayfields['u.gender']['checked'])) print_liste_field_titre if (!empty($arrayfields['u.employee']['checked'])) print_liste_field_titre("Employee", $_SERVER['PHP_SELF'], "u.employee", $param, "", "", $sortfield, $sortorder); if (!empty($arrayfields['u.fk_user']['checked'])) print_liste_field_titre("HierarchicalResponsible", $_SERVER['PHP_SELF'], "u.fk_user", $param, "", "", $sortfield, $sortorder); if (!empty($arrayfields['u.accountancy_code']['checked'])) print_liste_field_titre("AccountancyCode", $_SERVER['PHP_SELF'], "u.accountancy_code", $param, "", "", $sortfield, $sortorder); +if (!empty($arrayfields['u.office_phone']['checked'])) print_liste_field_titre("PhonePro", $_SERVER['PHP_SELF'], "u.office_phone", $param, "", "", $sortfield, $sortorder); +if (!empty($arrayfields['u.user_mobile']['checked'])) print_liste_field_titre("PhoneMobile", $_SERVER['PHP_SELF'], "u.user_mobile", $param, "", "", $sortfield, $sortorder); if (!empty($arrayfields['u.email']['checked'])) print_liste_field_titre("EMail", $_SERVER['PHP_SELF'], "u.email", $param, "", "", $sortfield, $sortorder); if (!empty($arrayfields['u.api_key']['checked'])) print_liste_field_titre("ApiKey", $_SERVER['PHP_SELF'], "u.api_key", $param, "", "", $sortfield, $sortorder); if (!empty($arrayfields['u.fk_soc']['checked'])) print_liste_field_titre("Company", $_SERVER['PHP_SELF'], "u.fk_soc", $param, "", "", $sortfield, $sortorder); @@ -662,6 +684,8 @@ while ($i < ($limit ? min($num, $limit) : $num)) $userstatic->ref = $obj->label; $userstatic->login = $obj->login; $userstatic->statut = $obj->statut; + $userstatic->office_phone = $obj->office_phone; + $userstatic->user_mobile = $obj->user_mobile; $userstatic->email = $obj->email; $userstatic->gender = $obj->gender; $userstatic->socid = $obj->fk_soc; @@ -724,6 +748,8 @@ while ($i < ($limit ? min($num, $limit) : $num)) $user2->gender = $obj->gender2; $user2->photo = $obj->photo2; $user2->admin = $obj->admin2; + $user2->office_phone = $obj->office_phone; + $user2->user_mobile = $obj->user_mobile; $user2->email = $obj->email2; $user2->socid = $obj->fk_soc2; $user2->statut = $obj->statut2; @@ -745,9 +771,19 @@ while ($i < ($limit ? min($num, $limit) : $num)) print ''.$obj->accountancy_code.''; if (!$i) $totalarray['nbfield']++; } + if (!empty($arrayfields['u.office_phone']['checked'])) + { + print "".dol_print_phone($obj->office_phone, $obj->country_code, 0, $obj->rowid, 'AC_TEL', ' ', 'phone')."\n"; + if (!$i) $totalarray['nbfield']++; + } + if (!empty($arrayfields['u.user_mobile']['checked'])) + { + print "".dol_print_phone($obj->user_mobile, $obj->country_code, 0, $obj->rowid, 'AC_TEL', ' ', 'mobile')."\n"; + if (!$i) $totalarray['nbfield']++; + } if (!empty($arrayfields['u.email']['checked'])) { - print ''.$obj->email.''; + print ''.dol_print_email($obj->email, $obj->rowid, $obj->socid, 'AC_EMAIL', 0, 0, 1)."\n"; if (!$i) $totalarray['nbfield']++; } if (!empty($arrayfields['u.api_key']['checked'])) diff --git a/test/phpunit/SecurityTest.php b/test/phpunit/SecurityTest.php index a1459c22e27..c38cf49d018 100644 --- a/test/phpunit/SecurityTest.php +++ b/test/phpunit/SecurityTest.php @@ -308,7 +308,7 @@ class SecurityTest extends PHPUnit\Framework\TestCase $result=GETPOST("param3", 'alpha'); // Must return string sanitized from char " print __METHOD__." result=".$result."\n"; - $this->assertEquals($result, '\'\'na/b#e(pr)qq-rr\cc', 'Test on param3'); + $this->assertEquals($result, 'na/b#e(pr)qq-rr\cc', 'Test on param3'); $result=GETPOST("param4", 'alpha'); // Must return string sanitized from ../ print __METHOD__." result=".$result."\n"; @@ -337,7 +337,7 @@ class SecurityTest extends PHPUnit\Framework\TestCase $result=GETPOST("param6", 'alpha'); print __METHOD__." result=".$result."\n"; - $this->assertEquals('\'\'>', $result); + $this->assertEquals('>', $result); $result=GETPOST("param6", 'nohtml'); print __METHOD__." result=".$result."\n"; @@ -351,7 +351,7 @@ class SecurityTest extends PHPUnit\Framework\TestCase // With alphanohtml, we must convert the html entities like n $result=GETPOST("param8", 'alphanohtml'); print __METHOD__." result=".$result."\n"; - $this->assertEquals("HackerassertEquals("Hacker