Merge branch 'develop' of https://github.com/Dolibarr/dolibarr.git into develop
This commit is contained in:
commit
62b856527f
@ -166,8 +166,7 @@ Warning: Date must have format reported by "date -R"
|
||||
Warning: Name and email must match value into debian/control file (Entry added here is used by next step).
|
||||
|
||||
* We try to build package
|
||||
> rm -fr ../build-area
|
||||
> git-buildpackage -us -uc
|
||||
> rm -fr ../build-area; git-buildpackage -us -uc
|
||||
|
||||
Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommited file
|
||||
Note: You can use git-buildpackage -us -uc -d if you want to test build when dependencies does not match
|
||||
@ -230,20 +229,20 @@ from origin/upstream and origin/pristine.
|
||||
|
||||
* Staying into git root directory, run
|
||||
> git-import-orig -vv ../dolibarr-3.3.4.tgz
|
||||
and enter version when requested.
|
||||
|
||||
Note: If there was errors solved manually after get-orig-sources.sh, you may need to make a git commit
|
||||
|
||||
* Add an entry into debian/changelog
|
||||
> dch -v x.y.z-1 "My comment" will add entry.
|
||||
For example: dch -v x.y.z-1 "New upstream release." for a new version
|
||||
> dch -v x.y.z-w "My comment" will add entry.
|
||||
For example: dch -v x.y.z-w "New upstream release." for a new version (x.y.z = version, w start from 1 and increaed for each new import)
|
||||
Then modify changelog to replace "unstable" with "UNRELEASED".
|
||||
|
||||
Warning: Date must have format reported by "date -R"
|
||||
Warning: Name and email must match value into debian/control file (Entry added here is used by next step).
|
||||
Then check/modify also the user/date signature:
|
||||
- Date must have format reported by "date -R"
|
||||
- Name and email must match value into debian/control file (Entry added here is used by next step).
|
||||
|
||||
* We try to build package
|
||||
> rm -fr ../build-area
|
||||
> git-buildpackage -us -uc
|
||||
> rm -fr ../build-area; git-buildpackage -us -uc
|
||||
|
||||
Note: You can use git-buildpackage -us -uc --git-ignore-new if you want to test build with uncommited file
|
||||
Note: You can use git-buildpackage -us -uc -d if you want to test build when dependencies does not match
|
||||
@ -272,4 +271,3 @@ http://packages.qa.debian.org
|
||||
|
||||
* Package will be into release when test will be moved as stable.
|
||||
|
||||
|
||||
|
||||
34
dev/deduplicatefilelinesrecursively.sh
Executable file
34
dev/deduplicatefilelinesrecursively.sh
Executable file
@ -0,0 +1,34 @@
|
||||
#!/bin/sh
|
||||
# Recursively deduplicate file lines on a per file basis
|
||||
# Useful to deduplicate language files
|
||||
#
|
||||
# Needs awk 4.0 for the inplace fixing command
|
||||
#
|
||||
# Raphaël Doursenaud - rdoursenaud@gpcsolutions.fr
|
||||
|
||||
# Syntax
|
||||
if [ "x$1" != "xlist" -a "x$1" != "xfix" ]
|
||||
then
|
||||
echo "Usage: deduplicatefilelinesrecursively.sh [list|fix]"
|
||||
fi
|
||||
|
||||
# To detect
|
||||
if [ "x$1" = "xlist" ]
|
||||
then
|
||||
for file in `find . -type f`
|
||||
do
|
||||
if [ `sort "$file" | uniq -d | wc -l` -gt 0 ]
|
||||
then
|
||||
echo "$file"
|
||||
fi
|
||||
done
|
||||
fi
|
||||
|
||||
# To fix
|
||||
if [ "x$1" = "xfix" ]
|
||||
then
|
||||
for file in `find . -type f`
|
||||
do
|
||||
awk -i inplace ' !x[$0]++' "$file"
|
||||
done;
|
||||
fi
|
||||
21
dev/detectduplicatelangkey.sh
Executable file
21
dev/detectduplicatelangkey.sh
Executable file
@ -0,0 +1,21 @@
|
||||
#!/bin/sh
|
||||
# Helps find duplicate translation keys in language files
|
||||
#
|
||||
# Copyright (C) 2014 Raphaël Doursenaud - rdoursenaud@gpcsolutions.fr
|
||||
|
||||
for file in `find . -type f`
|
||||
do
|
||||
dupes=$(
|
||||
sed "s/^\s*//" "$file" | # Remove any leading whitespace
|
||||
sed "s/\s*\=/=/" | # Remove any whitespace before =
|
||||
grep -Po "(^.*?)=" | # Non greedeely match everything before =
|
||||
sed "s/\=//" | # Remove trailing = so we get the key
|
||||
sort | uniq -d # Find duplicates
|
||||
)
|
||||
|
||||
if [ -n "$dupes" ]
|
||||
then
|
||||
echo "Duplicates found in $file"
|
||||
echo "$dupes"
|
||||
fi
|
||||
done
|
||||
@ -115,7 +115,7 @@ class modMyModule extends DolibarrModules
|
||||
// Array to add new pages in new tabs
|
||||
// Example: $this->tabs = array('objecttype:+tabname1:Title1:mylangfile@mymodule:$user->rights->mymodule->read:/mymodule/mynewtab1.php?id=__ID__', // To add a new tab identified by code tabname1
|
||||
// 'objecttype:+tabname2:Title2:mylangfile@mymodule:$user->rights->othermodule->read:/mymodule/mynewtab2.php?id=__ID__', // To add another new tab identified by code tabname2
|
||||
// 'objecttype:-tabname':NU:conditiontoremove); // To remove an existing tab identified by code tabname
|
||||
// 'objecttype:-tabname:NU:conditiontoremove'); // To remove an existing tab identified by code tabname
|
||||
// where objecttype can be
|
||||
// 'thirdparty' to add a tab in third party view
|
||||
// 'intervention' to add a tab in intervention view
|
||||
|
||||
@ -5,3 +5,9 @@ languages or to update translation files for existing languages.
|
||||
See Dolibarr Wiki page:
|
||||
http://wiki.dolibarr.org/index.php/Translator_documentation
|
||||
For more informations on how to use them.
|
||||
|
||||
To install transifex client:
|
||||
sudo pip install --upgrade transifex-client
|
||||
|
||||
To update transifex client:
|
||||
sudo pip install --upgrade transifex-client
|
||||
@ -20,7 +20,7 @@ fi
|
||||
|
||||
if [ "x$1" = "xall" ]
|
||||
then
|
||||
for fic in ar_SA bg_BG bs_BA ca_ES cs_CZ da_DK de_DE el_GR es_ES et_EE eu_ES fa_IR fi_FI fr_FR he_IL hr_HR hu_HU id_ID is_IS it_IT ja_JP ko_KR lt_LT lv_LV mk_MK nb_NO nl_NL pl_PL pt_PT ro_RO ru_RU ru_UA sk_SK sl_SI sv_SE th_TH tr_TR uk_UA uz_UZ vi_VN zh_CN zh_TW
|
||||
for fic in ar_SA bg_BG bs_BA ca_ES cs_CZ da_DK de_DE el_GR es_ES et_EE eu_ES fa_IR fi_FI fr_FR he_IL hr_HR hu_HU id_ID is_IS it_IT ja_JP ko_KR lt_LT lv_LV mk_MK nb_NO nl_NL pl_PL pt_PT ro_RO ru_RU ru_UA sk_SK sl_SI sq_AL sv_SE th_TH tr_TR uk_UA uz_UZ vi_VN zh_CN zh_TW
|
||||
do
|
||||
echo "tx pull -l $fic $2 $3"
|
||||
tx pull -l $fic $2 $3
|
||||
|
||||
@ -20,7 +20,7 @@ fi
|
||||
|
||||
if [ "x$1" = "xall" ]
|
||||
then
|
||||
for fic in ar_SA bg_BG bs_BA ca_ES cs_CZ da_DK de_DE el_GR es_ES et_EE eu_ES fa_IR fi_FI fr_FR he_IL hr_HR hu_HU id_ID is_IS it_IT ja_JP ko_KR lt_LT lv_LV mk_MK nb_NO nl_NL pl_PL pt_PT ro_RO ru_RU ru_UA sk_SK sl_SI sv_SE th_TH tr_TR uk_UA uz_UZ vi_VN zh_CN zh_TW
|
||||
for fic in ar_SA bg_BG bs_BA ca_ES cs_CZ da_DK de_DE el_GR es_ES et_EE eu_ES fa_IR fi_FI fr_FR he_IL hr_HR hu_HU id_ID is_IS it_IT ja_JP ko_KR lt_LT lv_LV mk_MK nb_NO nl_NL pl_PL pt_PT ro_RO ru_RU ru_UA sk_SK sl_SI sq_AL sv_SE th_TH tr_TR uk_UA uz_UZ vi_VN zh_CN zh_TW
|
||||
do
|
||||
echo "tx push --skip -t -l $fic $2 $3"
|
||||
tx push --skip -t -l $fic $2 $3
|
||||
|
||||
@ -121,7 +121,7 @@ if ($action != 'create' && $action != 'edit')
|
||||
|
||||
/* ************************************************************************** */
|
||||
/* */
|
||||
/* Creation d'un champ optionnel */
|
||||
/* Creation of an optional field */
|
||||
/* */
|
||||
/* ************************************************************************** */
|
||||
|
||||
@ -135,7 +135,7 @@ if ($action == 'create')
|
||||
|
||||
/* ************************************************************************** */
|
||||
/* */
|
||||
/* Edition d'un champ optionnel */
|
||||
/* Edition of an optional field */
|
||||
/* */
|
||||
/* ************************************************************************** */
|
||||
if ($action == 'edit' && ! empty($attrname))
|
||||
|
||||
@ -124,7 +124,7 @@ if ($action != 'create' && $action != 'edit')
|
||||
|
||||
/* ************************************************************************** */
|
||||
/* */
|
||||
/* Creation d'un champ optionnel */
|
||||
/* Creation of an optional field */
|
||||
/* */
|
||||
/* ************************************************************************** */
|
||||
|
||||
@ -138,7 +138,7 @@ if ($action == 'create')
|
||||
|
||||
/* ************************************************************************** */
|
||||
/* */
|
||||
/* Edition d'un champ optionnel */
|
||||
/* Edition of an optional field */
|
||||
/* */
|
||||
/* ************************************************************************** */
|
||||
if ($action == 'edit' && ! empty($attrname))
|
||||
|
||||
@ -1,7 +1,7 @@
|
||||
<?php
|
||||
/* Copyright (C) 2001-2004 Rodolphe Quiedeville <rodolphe@quiedeville.org>
|
||||
* Copyright (C) 2002-2003 Jean-Louis Bergamo <jlb@j1b.org>
|
||||
* Copyright (C) 2004-2012 Laurent Destailleur <eldy@users.sourceforge.net>
|
||||
* Copyright (C) 2004-2014 Laurent Destailleur <eldy@users.sourceforge.net>
|
||||
* Copyright (C) 2012 Regis Houssin <regis.houssin@capnetworks.com>
|
||||
*
|
||||
* This program is free software; you can redistribute it and/or modify
|
||||
@ -330,54 +330,73 @@ if ($user->rights->adherent->cotisation->creer && $action == 'cotisation' && ! $
|
||||
|
||||
$invoice=new Facture($db);
|
||||
$customer=new Societe($db);
|
||||
$result=$customer->fetch($object->fk_soc);
|
||||
if ($result <= 0)
|
||||
{
|
||||
$errmsg=$customer->error;
|
||||
$error++;
|
||||
}
|
||||
|
||||
// Create draft invoice
|
||||
$invoice->type= Facture::TYPE_STANDARD;
|
||||
$invoice->cond_reglement_id=$customer->cond_reglement_id;
|
||||
if (empty($invoice->cond_reglement_id))
|
||||
if (! $error)
|
||||
{
|
||||
$paymenttermstatic=new PaymentTerm($db);
|
||||
$invoice->cond_reglement_id=$paymenttermstatic->getDefaultId();
|
||||
if (empty($invoice->cond_reglement_id))
|
||||
{
|
||||
$error++;
|
||||
$errmsg='ErrorNoPaymentTermRECEPFound';
|
||||
}
|
||||
if (! ($object->fk_soc > 0))
|
||||
{
|
||||
$langs->load("errors");
|
||||
$errmsg=$langs->trans("ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst");
|
||||
$error++;
|
||||
}
|
||||
}
|
||||
$invoice->socid=$object->fk_soc;
|
||||
$invoice->date=$datecotisation;
|
||||
|
||||
$result=$invoice->create($user);
|
||||
if ($result <= 0)
|
||||
if (! $error)
|
||||
{
|
||||
$errmsg=$invoice->error;
|
||||
$error++;
|
||||
$result=$customer->fetch($object->fk_soc);
|
||||
if ($result <= 0)
|
||||
{
|
||||
$errmsg=$customer->error;
|
||||
$error++;
|
||||
}
|
||||
}
|
||||
|
||||
// Add line to draft invoice
|
||||
$idprodsubscription=0;
|
||||
$vattouse=0;
|
||||
if (isset($conf->global->ADHERENT_VAT_FOR_SUBSCRIPTIONS) && $conf->global->ADHERENT_VAT_FOR_SUBSCRIPTIONS == 'defaultforfoundationcountry')
|
||||
|
||||
if (! $error)
|
||||
{
|
||||
$vattouse=get_default_tva($mysoc, $mysoc, $idprodsubscription);
|
||||
// Create draft invoice
|
||||
$invoice->type= Facture::TYPE_STANDARD;
|
||||
$invoice->cond_reglement_id=$customer->cond_reglement_id;
|
||||
if (empty($invoice->cond_reglement_id))
|
||||
{
|
||||
$paymenttermstatic=new PaymentTerm($db);
|
||||
$invoice->cond_reglement_id=$paymenttermstatic->getDefaultId();
|
||||
if (empty($invoice->cond_reglement_id))
|
||||
{
|
||||
$error++;
|
||||
$errmsg='ErrorNoPaymentTermRECEPFound';
|
||||
}
|
||||
}
|
||||
$invoice->socid=$object->fk_soc;
|
||||
$invoice->date=$datecotisation;
|
||||
|
||||
$result=$invoice->create($user);
|
||||
if ($result <= 0)
|
||||
{
|
||||
$errmsg=$invoice->error;
|
||||
$error++;
|
||||
}
|
||||
}
|
||||
//print xx".$vattouse." - ".$mysoc." - ".$customer;exit;
|
||||
$result=$invoice->addline($label,0,1,$vattouse,0,0,$idprodsubscription,0,$datecotisation,$datesubend,0,0,'','TTC',$cotisation,1);
|
||||
if ($result <= 0)
|
||||
|
||||
if (! $error)
|
||||
{
|
||||
$errmsg=$invoice->error;
|
||||
$error++;
|
||||
// Add line to draft invoice
|
||||
$idprodsubscription=0;
|
||||
$vattouse=0;
|
||||
if (isset($conf->global->ADHERENT_VAT_FOR_SUBSCRIPTIONS) && $conf->global->ADHERENT_VAT_FOR_SUBSCRIPTIONS == 'defaultforfoundationcountry')
|
||||
{
|
||||
$vattouse=get_default_tva($mysoc, $mysoc, $idprodsubscription);
|
||||
}
|
||||
//print xx".$vattouse." - ".$mysoc." - ".$customer;exit;
|
||||
$result=$invoice->addline($label,0,1,$vattouse,0,0,$idprodsubscription,0,$datecotisation,$datesubend,0,0,'','TTC',$cotisation,1);
|
||||
if ($result <= 0)
|
||||
{
|
||||
$errmsg=$invoice->error;
|
||||
$error++;
|
||||
}
|
||||
|
||||
// Validate invoice
|
||||
$result=$invoice->validate($user);
|
||||
}
|
||||
|
||||
// Validate invoice
|
||||
$result=$invoice->validate($user);
|
||||
|
||||
|
||||
// Add payment onto invoice
|
||||
if ($option == 'bankviainvoice' && $accountid)
|
||||
{
|
||||
@ -486,8 +505,8 @@ if ($rowid)
|
||||
|
||||
dol_fiche_head($head, 'subscription', $langs->trans("Member"), 0, 'user');
|
||||
|
||||
$rowspan=9;
|
||||
if (empty($conf->global->ADHERENT_LOGIN_NOT_REQUIRED)) $rowspan+=1;
|
||||
$rowspan=10;
|
||||
if (empty($conf->global->ADHERENT_LOGIN_NOT_REQUIRED)) $rowspan++;
|
||||
if (! empty($conf->societe->enabled)) $rowspan++;
|
||||
|
||||
print '<form action="'.$_SERVER["PHP_SELF"].'" method="POST">';
|
||||
@ -764,9 +783,9 @@ if ($rowid)
|
||||
}
|
||||
else
|
||||
{
|
||||
if (! empty($conf->global->ADHERENT_BANK_USE) && $conf->global->ADHERENT_BANK_USE == 'bankviainvoice' && ! empty($conf->banque->enabled) && ! empty($conf->societe->enabled) && ! empty($conf->facture->enabled) && $object->fk_soc) $bankviainvoice=1;
|
||||
if (! empty($conf->global->ADHERENT_BANK_USE) && $conf->global->ADHERENT_BANK_USE == 'bankviainvoice' && ! empty($conf->banque->enabled) && ! empty($conf->societe->enabled) && ! empty($conf->facture->enabled)) $bankviainvoice=1;
|
||||
else if (! empty($conf->global->ADHERENT_BANK_USE) && $conf->global->ADHERENT_BANK_USE == 'bankdirect' && ! empty($conf->banque->enabled)) $bankdirect=1;
|
||||
else if (! empty($conf->global->ADHERENT_BANK_USE) && $conf->global->ADHERENT_BANK_USE == 'invoiceonly' && ! empty($conf->banque->enabled) && ! empty($conf->societe->enabled) && ! empty($conf->facture->enabled) && $object->fk_soc) $invoiceonly=1;
|
||||
else if (! empty($conf->global->ADHERENT_BANK_USE) && $conf->global->ADHERENT_BANK_USE == 'invoiceonly' && ! empty($conf->banque->enabled) && ! empty($conf->societe->enabled) && ! empty($conf->facture->enabled)) $invoiceonly=1;
|
||||
}
|
||||
|
||||
print "\n\n<!-- Form add subscription -->\n";
|
||||
@ -917,12 +936,14 @@ if ($rowid)
|
||||
if (! empty($conf->societe->enabled) && ! empty($conf->facture->enabled))
|
||||
{
|
||||
print '<input type="radio" class="moreaction" id="invoiceonly" name="paymentsave" value="invoiceonly"'.(! empty($invoiceonly)?' checked="checked"':'');
|
||||
if (empty($object->fk_soc)) print ' disabled="disabled"';
|
||||
//if (empty($object->fk_soc)) print ' disabled="disabled"';
|
||||
print '> '.$langs->trans("MoreActionInvoiceOnly");
|
||||
if ($object->fk_soc) print ' ('.$langs->trans("ThirdParty").': '.$company->getNomUrl(1).')';
|
||||
else
|
||||
{
|
||||
print ' ('.$langs->trans("NoThirdPartyAssociatedToMember");
|
||||
print ' (';
|
||||
if (empty($object->fk_soc)) print img_warning($langs->trans("NoThirdPartyAssociatedToMember"));
|
||||
print $langs->trans("NoThirdPartyAssociatedToMember");
|
||||
print ' - <a href="'.$_SERVER["PHP_SELF"].'?rowid='.$object->id.'&action=create_thirdparty">';
|
||||
print $langs->trans("CreateDolibarrThirdParty");
|
||||
print '</a>)';
|
||||
@ -934,12 +955,14 @@ if ($rowid)
|
||||
if (! empty($conf->banque->enabled) && ! empty($conf->societe->enabled) && ! empty($conf->facture->enabled))
|
||||
{
|
||||
print '<input type="radio" class="moreaction" id="bankviainvoice" name="paymentsave" value="bankviainvoice"'.(! empty($bankviainvoice)?' checked="checked"':'');
|
||||
if (empty($object->fk_soc)) print ' disabled="disabled"';
|
||||
//if (empty($object->fk_soc)) print ' disabled="disabled"';
|
||||
print '> '.$langs->trans("MoreActionBankViaInvoice");
|
||||
if ($object->fk_soc) print ' ('.$langs->trans("ThirdParty").': '.$company->getNomUrl(1).')';
|
||||
else
|
||||
{
|
||||
print ' ('.$langs->trans("NoThirdPartyAssociatedToMember");
|
||||
print ' (';
|
||||
if (empty($object->fk_soc)) print img_warning($langs->trans("NoThirdPartyAssociatedToMember"));
|
||||
print $langs->trans("NoThirdPartyAssociatedToMember");
|
||||
print ' - <a href="'.$_SERVER["PHP_SELF"].'?rowid='.$object->id.'&action=create_thirdparty">';
|
||||
print $langs->trans("CreateDolibarrThirdParty");
|
||||
print '</a>)';
|
||||
|
||||
@ -381,7 +381,7 @@ if ($id > 0)
|
||||
print '<td colspan="3">';
|
||||
$amount_discount=$object->getAvailableDiscounts();
|
||||
if ($amount_discount < 0) dol_print_error($db,$object->error);
|
||||
if ($amount_discount > 0) print '<a href="'.DOL_URL_ROOT.'/comm/remx.php?id='.$object->id.'&backtopage='.urlencode($_SERVER["PHP_SELF"].'?socid='.$object->id).'">'.price($amount_discount).'</a> '.$langs->trans("Currency".$conf->currency);
|
||||
if ($amount_discount > 0) print '<a href="'.DOL_URL_ROOT.'/comm/remx.php?id='.$object->id.'&backtopage='.urlencode($_SERVER["PHP_SELF"].'?socid='.$object->id).'">'.price($amount_discount,1,$langs,1,-1,-1,$conf->currency).'</a>';
|
||||
else print $langs->trans("DiscountNone");
|
||||
print '</td>';
|
||||
print '</tr>';
|
||||
|
||||
@ -8,7 +8,7 @@
|
||||
* Copyright (C) 2010-2013 Juanjo Menent <jmenent@2byte.es>
|
||||
* Copyright (C) 2010-2011 Philippe Grand <philippe.grand@atoo-net.com>
|
||||
* Copyright (C) 2012-2013 Christophe Battarel <christophe.battarel@altairis.fr>
|
||||
* Copyright (C) 2013-2014 Florian Henry <florian.henry@open-concept.pro>
|
||||
* Copyright (C) 2013-2014 Florian Henry <florian.henry@open-concept.pro>
|
||||
*
|
||||
* 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
|
||||
@ -1465,7 +1465,7 @@ if ($action == 'create') {
|
||||
$absolute_creditnote = price2num($absolute_creditnote, 'MT');
|
||||
if ($absolute_discount) {
|
||||
if ($object->statut > 0) {
|
||||
print $langs->trans("CompanyHasAbsoluteDiscount", price($absolute_discount), $langs->transnoentities("Currency" . $conf->currency));
|
||||
print $langs->trans("CompanyHasAbsoluteDiscount", price($absolute_discount, 0, $langs, 0, 0, -1, $conf->currency));
|
||||
} else {
|
||||
// Remise dispo de type non avoir
|
||||
$filter = 'fk_facture_source IS NULL';
|
||||
@ -1474,7 +1474,7 @@ if ($action == 'create') {
|
||||
}
|
||||
}
|
||||
if ($absolute_creditnote) {
|
||||
print $langs->trans("CompanyHasCreditNote", price($absolute_creditnote), $langs->transnoentities("Currency" . $conf->currency)) . '. ';
|
||||
print $langs->trans("CompanyHasCreditNote", price($absolute_creditnote, 0, $langs, 0, 0, -1, $conf->currency)) . '. ';
|
||||
}
|
||||
if (! $absolute_discount && ! $absolute_creditnote)
|
||||
print $langs->trans("CompanyHasNoAbsoluteDiscount") . '.';
|
||||
|
||||
@ -170,6 +170,8 @@ $dolibarr_main_db_collation='utf8_general_ci';
|
||||
// $dolibarr_main_authentication='dolibarr';
|
||||
// $dolibarr_main_authentication='ldap';
|
||||
// $dolibarr_main_authentication='openid,dolibarr';
|
||||
// $dolibarr_main_authentication='forceuser'; // Add also $dolibarr_auto_user='loginforuser';
|
||||
|
||||
//
|
||||
$dolibarr_main_authentication='dolibarr';
|
||||
|
||||
|
||||
@ -816,9 +816,10 @@ abstract class CommonObject
|
||||
*
|
||||
* @param string $filter Optional filter
|
||||
* @param int $fieldid Name of field to use for the select MAX and MIN
|
||||
* @param int $nodbprefix Do not include DB prefix to forge table name
|
||||
* @return int <0 if KO, >0 if OK
|
||||
*/
|
||||
function load_previous_next_ref($filter,$fieldid)
|
||||
function load_previous_next_ref($filter,$fieldid,$nodbprefix=0)
|
||||
{
|
||||
global $conf, $user;
|
||||
|
||||
@ -834,7 +835,7 @@ abstract class CommonObject
|
||||
if ($this->element == 'societe') $alias = 'te';
|
||||
|
||||
$sql = "SELECT MAX(te.".$fieldid.")";
|
||||
$sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element." as te";
|
||||
$sql.= " FROM ".(empty($nodbprefix)?MAIN_DB_PREFIX:'').$this->table_element." as te";
|
||||
if (isset($this->ismultientitymanaged) && $this->ismultientitymanaged == 2 || ($this->element != 'societe' && empty($this->isnolinkedbythird) && empty($user->rights->societe->client->voir))) $sql.= ", ".MAIN_DB_PREFIX."societe as s"; // If we need to link to societe to limit select to entity
|
||||
if (empty($this->isnolinkedbythird) && !$user->rights->societe->client->voir) $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON ".$alias.".rowid = sc.fk_soc";
|
||||
$sql.= " WHERE te.".$fieldid." < '".$this->db->escape($this->ref)."'";
|
||||
@ -847,7 +848,7 @@ abstract class CommonObject
|
||||
$result = $this->db->query($sql);
|
||||
if (! $result)
|
||||
{
|
||||
$this->error=$this->db->error();
|
||||
$this->error=$this->db->lasterror();
|
||||
return -1;
|
||||
}
|
||||
$row = $this->db->fetch_row($result);
|
||||
@ -855,7 +856,7 @@ abstract class CommonObject
|
||||
|
||||
|
||||
$sql = "SELECT MIN(te.".$fieldid.")";
|
||||
$sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element." as te";
|
||||
$sql.= " FROM ".(empty($nodbprefix)?MAIN_DB_PREFIX:'').$this->table_element." as te";
|
||||
if (isset($this->ismultientitymanaged) && $this->ismultientitymanaged == 2 || ($this->element != 'societe' && empty($this->isnolinkedbythird) && !$user->rights->societe->client->voir)) $sql.= ", ".MAIN_DB_PREFIX."societe as s"; // If we need to link to societe to limit select to entity
|
||||
if (empty($this->isnolinkedbythird) && !$user->rights->societe->client->voir) $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."societe_commerciaux as sc ON ".$alias.".rowid = sc.fk_soc";
|
||||
$sql.= " WHERE te.".$fieldid." > '".$this->db->escape($this->ref)."'";
|
||||
@ -869,7 +870,7 @@ abstract class CommonObject
|
||||
$result = $this->db->query($sql);
|
||||
if (! $result)
|
||||
{
|
||||
$this->error=$this->db->error();
|
||||
$this->error=$this->db->lasterror();
|
||||
return -2;
|
||||
}
|
||||
$row = $this->db->fetch_row($result);
|
||||
|
||||
@ -204,7 +204,16 @@ class Conf
|
||||
// If you can't set timezone of your PHP, set this constant. Better is to set it to UTC.
|
||||
// In future, this constant will be forced to 'UTC' so PHP server timezone will not have effect anymore.
|
||||
//$this->global->MAIN_SERVER_TZ='Europe/Paris';
|
||||
if (! empty($this->global->MAIN_SERVER_TZ) && $this->global->MAIN_SERVER_TZ != 'auto') date_default_timezone_set($this->global->MAIN_SERVER_TZ);
|
||||
if (! empty($this->global->MAIN_SERVER_TZ) && $this->global->MAIN_SERVER_TZ != 'auto')
|
||||
{
|
||||
try {
|
||||
date_default_timezone_set($this->global->MAIN_SERVER_TZ);
|
||||
}
|
||||
catch(Exception $e)
|
||||
{
|
||||
dol_syslog("Error: Bad value for parameter MAIN_SERVER_TZ=".$this->global->MAIN_SERVER_TZ, LOG_ERR);
|
||||
}
|
||||
}
|
||||
|
||||
// Object $mc
|
||||
if (! defined('NOREQUIREMC') && ! empty($this->multicompany->enabled))
|
||||
@ -243,7 +252,7 @@ class Conf
|
||||
if ($conf->global->FACTURE_TVAOPTION != "franchise") $conf->global->FACTURE_TVAOPTION=1;
|
||||
else $conf->global->FACTURE_TVAOPTION=0;
|
||||
}
|
||||
|
||||
|
||||
// Variable globales LDAP
|
||||
if (empty($this->global->LDAP_FIELD_FULLNAME)) $this->global->LDAP_FIELD_FULLNAME='';
|
||||
if (! isset($this->global->LDAP_KEY_USERS)) $this->global->LDAP_KEY_USERS=$this->global->LDAP_FIELD_FULLNAME;
|
||||
|
||||
@ -3110,13 +3110,13 @@ class Form
|
||||
print '<tr><td class="nowrap">';
|
||||
if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS))
|
||||
{
|
||||
if (! $filter || $filter=="fk_facture_source IS NULL") print $langs->trans("CompanyHasAbsoluteDiscount",price($amount,1,$langs,0,0,-1,$conf->currency)).': '; // If we want deposit to be substracted to payments only and not to total of final invoice
|
||||
else print $langs->trans("CompanyHasCreditNote",price($amount,1,$langs,0,0,-1,$conf->currency)).': ';
|
||||
if (! $filter || $filter=="fk_facture_source IS NULL") print $langs->trans("CompanyHasAbsoluteDiscount",price($amount,0,$langs,0,0,-1,$conf->currency)).': '; // If we want deposit to be substracted to payments only and not to total of final invoice
|
||||
else print $langs->trans("CompanyHasCreditNote",price($amount,0,$langs,0,0,-1,$conf->currency)).': ';
|
||||
}
|
||||
else
|
||||
{
|
||||
if (! $filter || $filter=="fk_facture_source IS NULL OR (fk_facture_source IS NOT NULL AND description='(DEPOSIT)')") print $langs->trans("CompanyHasAbsoluteDiscount",price($amount,1,$langs,0,0,-1,$conf->currency)).': ';
|
||||
else print $langs->trans("CompanyHasCreditNote",price($amount,1,$langs,0,0,-1,$conf->currency)).': ';
|
||||
if (! $filter || $filter=="fk_facture_source IS NULL OR (fk_facture_source IS NOT NULL AND description='(DEPOSIT)')") print $langs->trans("CompanyHasAbsoluteDiscount",price($amount,0,$langs,0,0,-1,$conf->currency)).': ';
|
||||
else print $langs->trans("CompanyHasCreditNote",price($amount,0,$langs,0,0,-1,$conf->currency)).': ';
|
||||
}
|
||||
$newfilter='fk_facture IS NULL AND fk_facture_line IS NULL'; // Remises disponibles
|
||||
if ($filter) $newfilter.=' AND ('.$filter.')';
|
||||
@ -4023,9 +4023,10 @@ class Form
|
||||
* @param string $fieldref Nom du champ objet ref (object->ref) a utiliser pour select next et previous
|
||||
* @param string $morehtmlref Code html supplementaire a afficher apres ref
|
||||
* @param string $moreparam More param to add in nav link url.
|
||||
* @param int $nodbprefix Do not include DB prefix to forge table name
|
||||
* @return tring Portion HTML avec ref + boutons nav
|
||||
*/
|
||||
function showrefnav($object,$paramid,$morehtml='',$shownav=1,$fieldid='rowid',$fieldref='ref',$morehtmlref='',$moreparam='')
|
||||
function showrefnav($object,$paramid,$morehtml='',$shownav=1,$fieldid='rowid',$fieldref='ref',$morehtmlref='',$moreparam='',$nodbprefix=0)
|
||||
{
|
||||
global $langs,$conf;
|
||||
|
||||
@ -4034,7 +4035,8 @@ class Form
|
||||
if (empty($fieldref)) $fieldref='ref';
|
||||
|
||||
//print "paramid=$paramid,morehtml=$morehtml,shownav=$shownav,$fieldid,$fieldref,$morehtmlref,$moreparam";
|
||||
$object->load_previous_next_ref((isset($object->next_prev_filter)?$object->next_prev_filter:''),$fieldid);
|
||||
$object->load_previous_next_ref((isset($object->next_prev_filter)?$object->next_prev_filter:''),$fieldid,$nodbprefix);
|
||||
|
||||
$previous_ref = $object->ref_previous?'<a data-role="button" data-icon="arrow-l" data-iconpos="left" href="'.$_SERVER["PHP_SELF"].'?'.$paramid.'='.urlencode($object->ref_previous).$moreparam.'">'.(empty($conf->dol_use_jmobile)?img_picto($langs->trans("Previous"),'previous.png'):' ').'</a>':'';
|
||||
$next_ref = $object->ref_next?'<a data-role="button" data-icon="arrow-r" data-iconpos="right" href="'.$_SERVER["PHP_SELF"].'?'.$paramid.'='.urlencode($object->ref_next).$moreparam.'">'.(empty($conf->dol_use_jmobile)?img_picto($langs->trans("Next"),'next.png'):' ').'</a>':'';
|
||||
|
||||
|
||||
@ -50,6 +50,7 @@ class FormOrder
|
||||
*
|
||||
* @param string $selected Preselected value
|
||||
* @param int $short Use short labels
|
||||
* @param string $hmlname Name of HTML select element
|
||||
* @return void
|
||||
*/
|
||||
function selectSupplierOrderStatus($selected='', $short=0, $hmlname='order_status')
|
||||
|
||||
@ -2724,6 +2724,7 @@ function price($amount, $form=0, $outlangs='', $trunc=1, $rounding=-1, $forcerou
|
||||
if ($outlangs->transnoentitiesnoconv("SeparatorDecimal") != "SeparatorDecimal") $dec=$outlangs->transnoentitiesnoconv("SeparatorDecimal");
|
||||
if ($outlangs->transnoentitiesnoconv("SeparatorThousand")!= "SeparatorThousand") $thousand=$outlangs->transnoentitiesnoconv("SeparatorThousand");
|
||||
if ($thousand == 'None') $thousand='';
|
||||
else if ($thousand == 'Space') $thousand=' ';
|
||||
//print "outlangs=".$outlangs->defaultlang." amount=".$amount." html=".$form." trunc=".$trunc." nbdecimal=".$nbdecimal." dec='".$dec."' thousand='".$thousand."'<br>";
|
||||
|
||||
//print "amount=".$amount."-";
|
||||
@ -2799,6 +2800,7 @@ function price2num($amount,$rounding='',$alreadysqlnb=0)
|
||||
if ($langs->transnoentitiesnoconv("SeparatorDecimal") != "SeparatorDecimal") $dec=$langs->transnoentitiesnoconv("SeparatorDecimal");
|
||||
if ($langs->transnoentitiesnoconv("SeparatorThousand")!= "SeparatorThousand") $thousand=$langs->transnoentitiesnoconv("SeparatorThousand");
|
||||
if ($thousand == 'None') $thousand='';
|
||||
elseif ($thousand == 'Space') $thousand=' ';
|
||||
//print "amount=".$amount." html=".$form." trunc=".$trunc." nbdecimal=".$nbdecimal." dec='".$dec."' thousand='".$thousand."'<br>";
|
||||
|
||||
// Convert value to universal number format (no thousand separator, '.' as decimal separator)
|
||||
@ -4490,6 +4492,34 @@ function printCommonFooter($zone='private')
|
||||
|
||||
}
|
||||
|
||||
/**
|
||||
* Split a string with 2 keys into key array.
|
||||
* For example: "A=1;B=2;C=2" is exploded into array('A'=>1,'B'=>2,'C'=>3)
|
||||
*
|
||||
* @param string $string String to explode
|
||||
* @param string $delimiter Delimiter between each couple of data
|
||||
* @param string $kv Delimiter between key and value
|
||||
* @return array Array of data exploded
|
||||
*/
|
||||
function dolExplodeIntoArray($string, $delimiter = ';', $kv = '=')
|
||||
{
|
||||
if ($a = explode($delimiter, $string))
|
||||
{
|
||||
foreach ($a as $s) { // each part
|
||||
if ($s) {
|
||||
if ($pos = strpos($s, $kv)) { // key/value delimiter
|
||||
$ka[trim(substr($s, 0, $pos))] = trim(substr($s, $pos + strlen($kv)));
|
||||
} else { // key delimiter not found
|
||||
$ka[] = trim($s);
|
||||
}
|
||||
}
|
||||
}
|
||||
return $ka;
|
||||
}
|
||||
return array();
|
||||
}
|
||||
|
||||
|
||||
/**
|
||||
* Convert an array with RGB value into hex RGB value
|
||||
*
|
||||
|
||||
@ -102,6 +102,7 @@ function tree_showpad(&$fulltree,$key,$silent=0)
|
||||
* $arrayofjs=array('/includes/jquery/plugins/jquerytreeview/jquery.treeview.js',
|
||||
* '/includes/jquery/plugins/jquerytreeview/lib/jquery.cookie.js');
|
||||
* $arrayofcss=array('/includes/jquery/plugins/jquerytreeview/jquery.treeview.css');
|
||||
* TODO Replace with jstree plugin instead of treeview plugin.
|
||||
*
|
||||
* @param array $tab Array of all elements
|
||||
* @param int $pere Array with parent ids ('rowid'=>,'mainmenu'=>,'leftmenu'=>,'fk_mainmenu=>,'fk_leftmenu=>)
|
||||
|
||||
@ -633,14 +633,12 @@ class InterfaceActionsAuto
|
||||
$ok=1;
|
||||
}
|
||||
|
||||
// If not found
|
||||
/*
|
||||
else
|
||||
{
|
||||
dol_syslog("Trigger '".$this->name."' for action '$action' was ran by ".__FILE__." but no handler found for this action.");
|
||||
// The trigger was enabled but we are missing the implementation, let the log know
|
||||
else
|
||||
{
|
||||
dol_syslog("Trigger '".$this->name."' for action '$action' was ran by ".__FILE__." but no handler found for this action.", LOG_WARNING);
|
||||
return 0;
|
||||
}
|
||||
*/
|
||||
}
|
||||
|
||||
// Add entry in event table
|
||||
if ($ok)
|
||||
|
||||
@ -45,6 +45,8 @@ class CommandeFournisseur extends CommonOrder
|
||||
public $fk_element = 'fk_commande';
|
||||
protected $ismultientitymanaged = 1; // 0=No test on entity, 1=Test with field entity, 2=Test with link by societe
|
||||
|
||||
var $id;
|
||||
|
||||
var $ref; // TODO deprecated
|
||||
var $product_ref;
|
||||
var $ref_supplier;
|
||||
|
||||
@ -1,12 +1,13 @@
|
||||
-- Copyright (C) 2001-2004 Rodolphe Quiedeville <rodolphe@quiedeville.org>
|
||||
-- Copyright (C) 2003 Jean-Louis Bergamo <jlb@j1b.org>
|
||||
-- Copyright (C) 2004-2013 Laurent Destailleur <eldy@users.sourceforge.net>
|
||||
-- Copyright (C) 2004 Benoit Mortier <benoit.mortier@opensides.be>
|
||||
-- Copyright (C) 2004 Guillaume Delecourt <guillaume.delecourt@opensides.be>
|
||||
-- Copyright (C) 2005-2011 Regis Houssin <regis.houssin@capnetworks.com>
|
||||
-- Copyright (C) 2007 Patrick Raguin <patrick.raguin@gmail.com>
|
||||
-- Copyright (C) 2010-2013 Juanjo Menent <jmenent@2byte.es>
|
||||
-- Copyright (C) 2013 Cedric Gross <c.gross@kreiz-it.fr>
|
||||
-- Copyright (C) 2001-2004 Rodolphe Quiedeville <rodolphe@quiedeville.org>
|
||||
-- Copyright (C) 2003 Jean-Louis Bergamo <jlb@j1b.org>
|
||||
-- Copyright (C) 2004-2013 Laurent Destailleur <eldy@users.sourceforge.net>
|
||||
-- Copyright (C) 2004 Benoit Mortier <benoit.mortier@opensides.be>
|
||||
-- Copyright (C) 2004 Guillaume Delecourt <guillaume.delecourt@opensides.be>
|
||||
-- Copyright (C) 2005-2011 Regis Houssin <regis.houssin@capnetworks.com>
|
||||
-- Copyright (C) 2007 Patrick Raguin <patrick.raguin@gmail.com>
|
||||
-- Copyright (C) 2010-2013 Juanjo Menent <jmenent@2byte.es>
|
||||
-- Copyright (C) 2013 Cedric Gross <c.gross@kreiz-it.fr>
|
||||
-- Copyright (C) 2014 Raphaël Doursenaud <rdoursenaud@gpcsolutions.fr>
|
||||
--
|
||||
-- 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
|
||||
@ -59,3 +60,7 @@ insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang)
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (28,'BILL_UNVALIDATE','Customer invoice unvalidated','Executed when a customer invoice status set back to draft','facture',10);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (29,'FICHINTER_SENTBYMAIL','Intervention sent by mail','Executed when a intervention is sent by mail','ficheinter',29);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (30,'PROJECT_CREATE','Project creation','Executed when a project is created','project',30);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (31,'PROPAL_CLOSE_SIGNED','Customer proposal closed signed','Executed when a customer proposal is closed signed','propal',31);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (32,'PROPAL_CLOSE_REFUSED','Customer proposal closed refused','Executed when a customer proposal is closed refused','propal',32);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (33,'BILL_SUPPLIER_CANCELED','Supplier invoice cancelled','Executed when a supplier invoice is cancelled','invoice_supplier',33);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (34,'MEMBER_MODIFY','Member modified','Executed when a member is modified','member',34);
|
||||
|
||||
@ -1029,7 +1029,7 @@ create table llx_product_customer_price_log
|
||||
import_key varchar(14) -- Import key
|
||||
)ENGINE=innodb;
|
||||
|
||||
--Batch number managment
|
||||
-- Batch number management
|
||||
ALTER TABLE llx_product ADD COLUMN tobatch tinyint DEFAULT 0 NOT NULL;
|
||||
|
||||
CREATE TABLE llx_product_batch (
|
||||
@ -1055,7 +1055,7 @@ CREATE TABLE llx_expeditiondet_batch (
|
||||
KEY ix_fk_expeditiondet (fk_expeditiondet)
|
||||
) ENGINE=InnoDB;
|
||||
|
||||
--Salary payment in tax module
|
||||
-- Salary payment in tax module
|
||||
--DROP TABLE llx_payment_salary
|
||||
CREATE TABLE llx_payment_salary (
|
||||
rowid integer AUTO_INCREMENT PRIMARY KEY,
|
||||
@ -1076,11 +1076,11 @@ CREATE TABLE llx_payment_salary (
|
||||
fk_user_modif integer
|
||||
)ENGINE=innodb;
|
||||
|
||||
--New 1074 : Stock mouvement link to origin
|
||||
-- New 1074 : Stock mouvement link to origin
|
||||
ALTER TABLE llx_stock_mouvement ADD fk_origin integer;
|
||||
ALTER TABLE llx_stock_mouvement ADD origintype VARCHAR(32);
|
||||
|
||||
--New 1300 : Add THM on user
|
||||
-- New 1300 : Add THM on user
|
||||
ALTER TABLE llx_user ADD thm double(24,8);
|
||||
ALTER TABLE llx_projet_task_time ADD thm double(24,8);
|
||||
|
||||
@ -1108,3 +1108,9 @@ ALTER TABLE llx_societe ADD UNIQUE INDEX uk_societe_barcode (barcode, fk_barcode
|
||||
|
||||
ALTER TABLE llx_tva ADD COLUMN fk_typepayment integer NULL; -- table may already contains data
|
||||
ALTER TABLE llx_tva ADD COLUMN num_payment varchar(50);
|
||||
|
||||
-- Add missing action triggers
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (31,'PROPAL_CLOSE_SIGNED','Customer proposal closed signed','Executed when a customer proposal is closed signed','propal',31);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (32,'PROPAL_CLOSE_REFUSED','Customer proposal closed refused','Executed when a customer proposal is closed refused','propal',32);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (33,'BILL_SUPPLIER_CANCELED','Supplier invoice cancelled','Executed when a supplier invoice is cancelled','invoice_supplier',33);
|
||||
insert into llx_c_action_trigger (rowid,code,label,description,elementtype,rang) values (34,'MEMBER_MODIFY','Member modified','Executed when a member is modified','member',34);
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=& مجموعات المستخدمين
|
||||
Module0Desc=إدارة المستخدمين والمجموعات
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=جدول الأعمال وحدة الإعداد
|
||||
PasswordTogetVCalExport=مفتاح ربط تصدير تأذن
|
||||
PastDelayVCalExport=لا تصدر الحدث الأكبر من
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=هذا النموذج يسمح لإضافة رمز بعد رقم هاتف Dolibarr الاتصالات. وهناك اضغط على هذه الأيقونة ، سوف يطلب من أحد serveur معينة مع تحديد عنوان لكم أدناه. ويمكن استخدام هذه الكلمة لدعوة من مركز نظام Dolibarr التي يمكن الاتصال على رقم الهاتف هذا المسبار النظام على سبيل المثال.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -1,12 +1,11 @@
|
||||
# Dolibarr language file - Source file is en_US - errors
|
||||
|
||||
# No errors
|
||||
# NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
# Errors
|
||||
Error=خطأ
|
||||
Errors=أخطاء
|
||||
# ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorBadEMail=بريد إلكتروني خاطئ %s
|
||||
ErrorBadUrl=عنوان الموقع هو الخطأ %s
|
||||
ErrorLoginAlreadyExists=ادخل ٪ ق موجود بالفعل.
|
||||
@ -24,13 +23,13 @@ ErrorThisContactIsAlreadyDefinedAsThisType=هذا الاتصال هو اتصال
|
||||
ErrorCashAccountAcceptsOnlyCashMoney=هذا الحساب المصرفي هو الحساب النقدي ، وذلك ما وافق على نوع من المدفوعات النقدية فقط.
|
||||
ErrorFromToAccountsMustDiffers=المصدر والأهداف يجب أن تكون الحسابات المصرفية المختلفة.
|
||||
ErrorBadThirdPartyName=سوء قيمة اسم طرف ثالث
|
||||
# ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorBadCustomerCodeSyntax=سوء تركيب الزبون مدونة
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=رمز العميل المطلوبة
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=الشفرة المستخدمة بالفعل العملاء
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=المطلوب ببادئة
|
||||
ErrorUrlNotValid=موقع معالجة صحيحة
|
||||
ErrorBadSupplierCodeSyntax=مورد سوء تركيب لمدونة
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=بارامترات سيئة
|
||||
ErrorBadValueForParameter=قيمة خاطئة "%s 'ل' %s" المعلمة غير صحيحة
|
||||
ErrorBadImageFormat=ملف الصورة لم تنسيق معتمد
|
||||
ErrorBadDateFormat='%s' قيمة له خاطئ تنسيق التاريخ
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=لم يكتب في دليل ٪ ق
|
||||
ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=العثور على بريد إلكتروني صحيح لتركيب خطوط ق ٪ في ملف (على سبيل المثال خط ٪ ق= ٪ مع البريد الإلكتروني)
|
||||
ErrorUserCannotBeDelete=المستخدم لا يمكن حذفها. قد يكون ذلك مرتبطا Dolibarr على الكيانات.
|
||||
@ -61,21 +60,21 @@ ErrorUploadBlockedByAddon=حظر حمل من قبل البرنامج المسا
|
||||
ErrorFileSizeTooLarge=حجم الملف كبير جدا.
|
||||
ErrorSizeTooLongForIntType=طويل جدا بالنسبة نوع INT (%s أرقام كحد أقصى) حجم
|
||||
ErrorSizeTooLongForVarcharType=وقتا طويلا لنوع السلسلة (%s حرف كحد أقصى) حجم
|
||||
# ErrorNoValueForSelectType=Please fill value for select list
|
||||
# ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
# ErrorNoValueForRadioType=Please fill value for radio list
|
||||
# ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorNoValueForSelectType=Please fill value for select list
|
||||
ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=ميدان <b>٪ ق</b> يجب ألا يحتوي على أحرف خاصة.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=أي وحدة المحاسبة وتفعيل
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr - LDAP المطابقة وليس كاملا.
|
||||
ErrorLDAPMakeManualTest=ألف. ldif الملف قد ولدت في الدليل ٪ s. انها محاولة لتحميل يدويا من سطر في الحصول على مزيد من المعلومات عن الأخطاء.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=لا يمكن انقاذ عمل مع "المركز الخاص لم تبدأ" اذا الميدان "الذي قام به" كما شغلها.
|
||||
ErrorRefAlreadyExists=المرجع المستخدمة لإنشاء موجود بالفعل.
|
||||
ErrorPleaseTypeBankTransactionReportName=الرجاء كتابة اسم البنك استلام المعاملات ويقال فيها (شكل YYYYMM أو YYYYMMDD)
|
||||
ErrorRecordHasChildren=فشل حذف السجلات منذ نحو الطفل.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=يجب عدم تعطيل جافا سكريبت لجعل هذا العمل الميزة. لتمكين / تعطيل جافا سكريبت ، انتقل إلى القائمة الرئيسية -> الإعداد -> العرض.
|
||||
ErrorPasswordsMustMatch=ويجب على كلا كلمات المرور المكتوبة تطابق بعضها البعض
|
||||
ErrorContactEMail=وقع خطأ فني. من فضلك، اتصل بمسؤول إلى البريد الإلكتروني بعد <b>%s</b> EN توفير <b>%s</b> رمز الخطأ في رسالتك، أو حتى أفضل من خلال إضافة نسخة شاشة من هذه الصفحة.
|
||||
@ -117,27 +116,27 @@ ErrorBadValueForCode=سيئة قيمة لرمز الحماية. حاول مرة
|
||||
ErrorBothFieldCantBeNegative=ويمكن لحقول %s و%s لا تكون سلبية
|
||||
ErrorWebServerUserHasNotPermission=<b>%s</b> تستخدم حساب مستخدم لتنفيذ خادم الويب لا يوجد لديه إذن لذلك
|
||||
ErrorNoActivatedBarcode=لا يوجد نوع الباركود تفعيلها
|
||||
# ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
# ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
# ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
# ErrorFileRequired=It takes a package Dolibarr file
|
||||
# ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
# ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
# ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
# ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
# ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
# ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
# ErrorFailedToAddContact=Failed to add contact
|
||||
# ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
# ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
# ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
# ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
ErrorFileRequired=It takes a package Dolibarr file
|
||||
ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToAddContact=Failed to add contact
|
||||
ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
# WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningSafeModeOnCheckExecDir=انذار ، فب <b>safe_mode</b> الخيار في ذلك تخزين الأمر يجب أن يكون داخل الدليل الذي أعلنته <b>safe_mode_exec_dir</b> المعلمة بي.
|
||||
WarningAllowUrlFopenMustBeOn=<b>allow_url_fopen</b> المعلم يجب أن يوضع <b>على</b> المدون في <b>php.ini</b> لتعمل هذه الوحدة بشكل كامل. يجب عليك أن تعدل عن هذا الملف يدويا.
|
||||
WarningBuildScriptNotRunned=السيناريو <b>٪ ق</b> لم يكن يتعارض مع بناء الرسومات ، أو عدم وجود بيانات تظهر.
|
||||
@ -146,9 +145,9 @@ WarningPassIsEmpty=تحذير كلمة سر قاعدة بيانات فارغة.
|
||||
WarningConfFileMustBeReadOnly=انذار ، ملف (التكوين <b>htdocs / أسيوط / conf.php)</b> الخاص يمكن أن تكون الكتابة بواسطة خادم الويب. هذه هي ثغرة أمنية خطيرة. أذونات تعديل على ملف ليكون في وضع القراءة فقط لمستخدم نظام التشغيل المستخدمة من قبل ملقم ويب. إذا كنت تستخدم ويندوز وشكل نسبة الدهون لمدة القرص الخاص بك ، فإنك يجب أن نعرف أن هذا النظام لا يسمح ملف لإضافة الأذونات على الملف ، بحيث لا تكون آمنة تماما.
|
||||
WarningsOnXLines=تحذيرات عن مصدر خطوط <b>%s</b>
|
||||
WarningNoDocumentModelActivated=لا يوجد نموذج لجيل وثيقة ، قد تم تنشيط. سيكون نموذج المختار افتراضيا حتى يمكنك التحقق من إعداد وحدة الخاص.
|
||||
# WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
WarningUntilDirRemoved=كل التحذيرات الأمنية (مرئية من قبل المستخدمين مشرف فقط) وسوف تبقى نشطة طالما أن الضعف الحالي (أو لم يضف هذا MAIN_REMOVE_INSTALL_WARNING مستمر في الإعداد> الإعداد الأخرى).
|
||||
# WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
# WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
# WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
# WarningNotRelevant=Irrelevant operation for this dataset
|
||||
WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
WarningNotRelevant=Irrelevant operation for this dataset
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=التركية
|
||||
Language_sl_SI=السلوفينية
|
||||
Language_sv_SV=السويدية
|
||||
Language_sv_SE=السويدية
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovakian
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Ukrainian
|
||||
|
||||
@ -9,7 +9,7 @@ FONTSIZEFORPDF=9
|
||||
SeparatorDecimal=.
|
||||
SeparatorThousand=None
|
||||
FormatDateShort=%d/%m/%Y
|
||||
# FormatDateShortInput=%m/%d/%Y
|
||||
FormatDateShortInput=%m/%d/%Y
|
||||
FormatDateShortJava=dd/MM/yyyy
|
||||
FormatDateShortJavaInput=dd/MM/yyyy
|
||||
FormatDateShortJQuery=dd/mm/yy
|
||||
@ -19,12 +19,12 @@ FormatHourShortDuration=%H:%M
|
||||
FormatDateTextShort=%d %b %Y
|
||||
FormatDateText=%d %B %Y
|
||||
FormatDateHourShort=%d/%m/%Y %H:%M
|
||||
# FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
|
||||
FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
|
||||
FormatDateHourTextShort=%d %b %Y %H:%M
|
||||
FormatDateHourText=%d %B %Y %H:%M
|
||||
DatabaseConnection=قاعدة بيانات الصدد
|
||||
# NoTranslation=No translation
|
||||
# NoRecordFound=No record found
|
||||
NoTranslation=No translation
|
||||
NoRecordFound=No record found
|
||||
NoError=أي خطأ
|
||||
Error=خطأ
|
||||
ErrorFieldRequired=الميدان '٪ ق' مطلوب
|
||||
@ -34,7 +34,7 @@ ErrorFailedToOpenFile=فشل في فتح الملف ٪ ق
|
||||
ErrorCanNotCreateDir=لا يمكن إنشاء دير ق
|
||||
ErrorCanNotReadDir=لا يمكن قراءة دير ق
|
||||
ErrorConstantNotDefined=معلمة ٪s ق لم تحدد
|
||||
# ErrorUnknown=Unknown error
|
||||
ErrorUnknown=Unknown error
|
||||
ErrorSQL=خطأ SQL
|
||||
ErrorLogoFileNotFound=شعار ملف '٪ ق' لم يتم العثور على
|
||||
ErrorGoToGlobalSetup=اذهب إلى 'شركة / مؤسسة' الإعداد لتثبيت هذا
|
||||
@ -60,16 +60,16 @@ ErrorNoSocialContributionForSellerCountry=خطأ ، لا يوجد نوع الم
|
||||
ErrorFailedToSaveFile=خطأ ، وفشلت في انقاذ الملف.
|
||||
ErrorOnlyPngJpgSupported=خطأ فقط. بابوا نيو غينيا ، وجيه. شكل صورة ملف الدعم.
|
||||
ErrorImageFormatNotSupported=PHP الخاص بك لا يدعم وظائف لتحويل الصور من هذا الشكل.
|
||||
# SetDate=Set date
|
||||
# SelectDate=Select a date
|
||||
# SeeAlso=See also %s
|
||||
SetDate=Set date
|
||||
SelectDate=Select a date
|
||||
SeeAlso=See also %s
|
||||
BackgroundColorByDefault=لون الخلفية الافتراضي
|
||||
FileWasNotUploaded=يتم تحديد ملف مرفق لكنه لم يكن بعد تحميلها. انقر على "ملف إرفاق" لهذا الغرض.
|
||||
NbOfEntries=ملاحظة : إدخالات
|
||||
GoToWikiHelpPage=الانترنت تساعد على قراءة (على ضرورة الوصول إلى الإنترنت)
|
||||
GoToHelpPage=قراءة مساعدة
|
||||
RecordSaved=سجل المحفوظة
|
||||
# RecordDeleted=Record deleted
|
||||
RecordDeleted=Record deleted
|
||||
LevelOfFeature=مستوى الملامح
|
||||
NotDefined=غير معرف
|
||||
DefinedAndHasThisValue=وحددت قيمة
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=آخر المعلومات عن الوصول إلى
|
||||
DolibarrHasDetectedError=Dolibarr اكتشفت خطأ فني
|
||||
InformationToHelpDiagnose=هذه هي المعلومات التي يمكن أن تساعد على تشخيص
|
||||
MoreInformation=مزيد من المعلومات
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=علما (العامة)
|
||||
NotePrivate=المذكرة (الخاصة)
|
||||
PrecisionUnitIsLimitedToXDecimals=Dolibarr كان الإعداد بدقة للحد من أسعار الوحدات إلى <b>٪ ق</b> عشرية.
|
||||
@ -119,7 +120,7 @@ Activated=تفعيل
|
||||
Closed=مغلقة
|
||||
Closed2=مغلقة
|
||||
Enabled=مكن
|
||||
# Deprecated=Deprecated
|
||||
Deprecated=Deprecated
|
||||
Disable=يعطل
|
||||
Disabled=المعاقين
|
||||
Add=إضافة
|
||||
@ -146,8 +147,8 @@ ToClone=استنساخ
|
||||
ConfirmClone=اختر البيانات التي تريد استنساخ :
|
||||
NoCloneOptionsSpecified=لا توجد بيانات محددة للاستنساخ.
|
||||
Of=من
|
||||
# Go=Go
|
||||
# Run=Run
|
||||
Go=Go
|
||||
Run=Run
|
||||
CopyOf=نسخة من
|
||||
Show=يظهر
|
||||
ShowCardHere=وتظهر البطاقة
|
||||
@ -157,7 +158,7 @@ Valid=صحيح
|
||||
Approve=الموافقة
|
||||
ReOpen=إعادة فتح
|
||||
Upload=ارسال الملف
|
||||
# ToLink=Link
|
||||
ToLink=Link
|
||||
Select=رتخا
|
||||
Choose=يختار
|
||||
ChooseLangage=من فضلك اختر اللغة
|
||||
@ -259,13 +260,13 @@ Seconds=ثانية
|
||||
Today=اليوم
|
||||
Yesterday=أمس
|
||||
Tomorrow=غدا
|
||||
# Morning=Morning
|
||||
# Afternoon=Afternoon
|
||||
Morning=Morning
|
||||
Afternoon=Afternoon
|
||||
Quadri=قادري
|
||||
MonthOfDay=خلال شهر من اليوم
|
||||
HourShort=حاء
|
||||
Rate=سعر
|
||||
# UseLocalTax=Include tax
|
||||
UseLocalTax=Include tax
|
||||
Bytes=بايت
|
||||
KiloBytes=كيلو بايت
|
||||
MegaBytes=ميغا بايت
|
||||
@ -297,8 +298,8 @@ AmountTTCShort=المبلغ (شركة الضريبية)
|
||||
AmountHT=المبلغ (صافي الضرائب)
|
||||
AmountTTC=المبلغ (شركة الضريبية)
|
||||
AmountVAT=مبلغ الضريبة على القيمة المضافة
|
||||
# AmountLT1=Amount tax 2
|
||||
# AmountLT2=Amount tax 3
|
||||
AmountLT1=Amount tax 2
|
||||
AmountLT2=Amount tax 3
|
||||
AmountLT1ES=كمية الطاقة المتجددة
|
||||
AmountLT2ES=مبلغ IRPF
|
||||
AmountTotal=المبلغ الإجمالي
|
||||
@ -313,12 +314,12 @@ SubTotal=المجموع الفرعي
|
||||
TotalHTShort=المجموع (الصافي)
|
||||
TotalTTCShort=المجموع (شركة الضريبية)
|
||||
TotalHT=المجموع (الصافي للضريبة)
|
||||
# TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalTTC=المجموع (شركة الضريبية)
|
||||
TotalTTCToYourCredit=المجموع (شركة الضريبية) الائتمان الخاصة بك
|
||||
TotalVAT=مجموع الضريبة على القيمة المضافة
|
||||
# TotalLT1=Total tax 2
|
||||
# TotalLT2=Total tax 3
|
||||
TotalLT1=Total tax 2
|
||||
TotalLT2=Total tax 3
|
||||
TotalLT1ES=مجموع الطاقة المتجددة
|
||||
TotalLT2ES=مجموع IRPF
|
||||
IncludedVAT=وتشمل الضريبة على القيمة المضافة
|
||||
@ -338,7 +339,7 @@ FullList=القائمة الكاملة
|
||||
Statistics=احصاءات
|
||||
OtherStatistics=آخر الإحصاءات
|
||||
Status=حالة
|
||||
# ShortInfo=Info.
|
||||
ShortInfo=Info.
|
||||
Ref=المرجع.
|
||||
RefSupplier=المرجع. المورد
|
||||
RefPayment=المرجع. الدفع
|
||||
@ -356,8 +357,8 @@ ActionRunningShort=بدأت
|
||||
ActionDoneShort=انتهى
|
||||
CompanyFoundation=الشركة / المؤسسة
|
||||
ContactsForCompany=اتصالات لهذا الطرف الثالث
|
||||
# ContactsAddressesForCompany=Contacts/addresses for this third party
|
||||
# AddressesForCompany=Addresses for this third party
|
||||
ContactsAddressesForCompany=Contacts/addresses for this third party
|
||||
AddressesForCompany=Addresses for this third party
|
||||
ActionsOnCompany=الأعمال حول هذا الطرف الثالث
|
||||
ActionsOnMember=أحداث حول هذا العضو
|
||||
NActions=ق ٪ الإجراءات
|
||||
@ -393,7 +394,7 @@ OtherInformations=معلومات أخرى
|
||||
Quantity=الكمية
|
||||
Qty=الكمية
|
||||
ChangedBy=تغيير
|
||||
# ReCalculate=Recalculate
|
||||
ReCalculate=Recalculate
|
||||
ResultOk=النجاح
|
||||
ResultKo=فشل
|
||||
Reporting=الإبلاغ
|
||||
@ -488,8 +489,8 @@ Report=تقرير
|
||||
Keyword=الفحص السنوي clé
|
||||
Legend=أسطورة
|
||||
FillTownFromZip=شغل البلدة من الرمز البريدي
|
||||
# Fill=Fill
|
||||
# Reset=Reset
|
||||
Fill=Fill
|
||||
Reset=Reset
|
||||
ShowLog=وتظهر الدخول
|
||||
File=ملف
|
||||
Files=ملفات
|
||||
@ -504,8 +505,8 @@ NbOfThirdParties=عدد من الأطراف الثالثة
|
||||
NbOfCustomers=عدد من العملاء
|
||||
NbOfLines=عدد الخطوط
|
||||
NbOfObjects=عدد الأجسام
|
||||
# NbOfReferers=Number of referrers
|
||||
# Referers=Consumption
|
||||
NbOfReferers=Number of referrers
|
||||
Referers=Consumption
|
||||
TotalQuantity=الكمية الإجمالية
|
||||
DateFromTo=ل٪ من ق ق ٪
|
||||
DateFrom=من ق ٪
|
||||
@ -558,7 +559,7 @@ GoBack=العودة
|
||||
CanBeModifiedIfOk=يمكن تعديلها إذا كان صحيحا
|
||||
CanBeModifiedIfKo=يمكن تعديلها إذا لم يكن صحيحا
|
||||
RecordModifiedSuccessfully=سجل تعديل بنجاح
|
||||
# RecordsModified=%s records modified
|
||||
RecordsModified=%s records modified
|
||||
AutomaticCode=مدونة الآلي
|
||||
NotManaged=لم يفلح
|
||||
FeatureDisabled=سمة المعوقين
|
||||
@ -574,7 +575,7 @@ TotalWoman=المجموع
|
||||
TotalMan=المجموع
|
||||
NeverReceived=لم يتلق
|
||||
Canceled=ألغى
|
||||
# YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
Color=لون
|
||||
Documents=ربط الملفات
|
||||
DocumentsNb=ملفات مرتبطة (%s)
|
||||
@ -589,7 +590,7 @@ ThisLimitIsDefinedInSetup=Dolibarr الحد (القائمة المنزل الإ
|
||||
NoFileFound=لا الوثائق المحفوظة في هذا المجلد
|
||||
CurrentUserLanguage=الصيغة الحالية
|
||||
CurrentTheme=الموضوع الحالي
|
||||
# CurrentMenuManager=Current menu manager
|
||||
CurrentMenuManager=Current menu manager
|
||||
DisabledModules=والمعوقين وحدات
|
||||
For=لأجل
|
||||
ForCustomer=الزبون
|
||||
@ -608,7 +609,7 @@ CloneMainAttributes=استنساخ وجوه مع السمات الرئيسية
|
||||
PDFMerge=دمج الشعبي
|
||||
Merge=دمج
|
||||
PrintContentArea=وتظهر الصفحة الرئيسية لطباعة ناحية المحتوى
|
||||
# MenuManager=Menu manager
|
||||
MenuManager=Menu manager
|
||||
NoMenu=لا القائمة الفرعية
|
||||
WarningYouAreInMaintenanceMode=انذار ، كنت في وضع الصيانة ، <b>%s</b> الدخول فقط بحيث يتم السماح لاستخدام التطبيق في الوقت الراهن.
|
||||
CoreErrorTitle=نظام خطأ
|
||||
@ -650,26 +651,26 @@ ByYear=بحلول العام
|
||||
ByMonth=من قبل شهر
|
||||
ByDay=بعد يوم
|
||||
BySalesRepresentative=بواسطة مندوب مبيعات
|
||||
# LinkedToSpecificUsers=Linked to a particular user contact
|
||||
# DeleteAFile=Delete a file
|
||||
# ConfirmDeleteAFile=Are you sure you want to delete file
|
||||
# NoResults=No results
|
||||
# ModulesSystemTools=Modules tools
|
||||
# Test=Test
|
||||
# Element=Element
|
||||
# NoPhotoYet=No pictures available yet
|
||||
# HomeDashboard=Home summary
|
||||
# Deductible=Deductible
|
||||
# from=from
|
||||
# toward=toward
|
||||
# Access=Access
|
||||
# HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
# SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
# OriginFileName=Original filename
|
||||
# SetDemandReason=Set source
|
||||
# ViewPrivateNote=View notes
|
||||
# XMoreLines=%s line(s) hidden
|
||||
# PublicUrl=Public URL
|
||||
LinkedToSpecificUsers=Linked to a particular user contact
|
||||
DeleteAFile=Delete a file
|
||||
ConfirmDeleteAFile=Are you sure you want to delete file
|
||||
NoResults=No results
|
||||
ModulesSystemTools=Modules tools
|
||||
Test=Test
|
||||
Element=Element
|
||||
NoPhotoYet=No pictures available yet
|
||||
HomeDashboard=Home summary
|
||||
Deductible=Deductible
|
||||
from=from
|
||||
toward=toward
|
||||
Access=Access
|
||||
HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
OriginFileName=Original filename
|
||||
SetDemandReason=Set source
|
||||
ViewPrivateNote=View notes
|
||||
XMoreLines=%s line(s) hidden
|
||||
PublicUrl=Public URL
|
||||
|
||||
# Week day
|
||||
Monday=يوم الاثنين
|
||||
|
||||
@ -10,21 +10,22 @@ DateToBirth=تاريخ الميلاد
|
||||
BirthdayAlertOn= عيد ميلاد النشطة في حالة تأهب
|
||||
BirthdayAlertOff= عيد الميلاد فى حالة تأهب الخاملة
|
||||
Notify_FICHINTER_VALIDATE=تدخل المصادق
|
||||
# Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_BILL_VALIDATE=فاتورة مصادق
|
||||
# Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_ORDER_SUPPLIER_APPROVE=من أجل الموافقة على المورد
|
||||
Notify_ORDER_SUPPLIER_REFUSE=من أجل رفض الموردين
|
||||
Notify_ORDER_VALIDATE=التحقق من صحة النظام العميل
|
||||
Notify_PROPAL_VALIDATE=التحقق من صحة اقتراح العملاء
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=انتقال انسحاب
|
||||
Notify_WITHDRAW_CREDIT=انسحاب الائتمان
|
||||
Notify_WITHDRAW_EMIT=Isue انسحاب
|
||||
Notify_ORDER_SENTBYMAIL=النظام العميل ترسل عن طريق البريد
|
||||
Notify_COMPANY_CREATE=طرف ثالث خلق
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=اقتراح التجارية المرسلة عن طريق البريد
|
||||
Notify_ORDER_SENTBYMAIL=النظام العميل ترسل عن طريق البريد
|
||||
Notify_BILL_PAYED=دفعت فاتورة العميل
|
||||
Notify_BILL_CANCEL=فاتورة الزبون إلغاء
|
||||
Notify_BILL_SENTBYMAIL=فاتورة الزبون إرسالها عن طريق البريد
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=النظام مزود ترسل عن طريق ا
|
||||
Notify_BILL_SUPPLIER_VALIDATE=فاتورة المورد المصادق
|
||||
Notify_BILL_SUPPLIER_PAYED=دفعت فاتورة المورد
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=فاتورة المورد ترسل عن طريق البريد
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=التحقق من صحة العقد
|
||||
Notify_FICHEINTER_VALIDATE=التحقق من التدخل
|
||||
Notify_SHIPPING_VALIDATE=التحقق من صحة الشحن
|
||||
Notify_SHIPPING_SENTBYMAIL=الشحن ترسل عن طريق البريد
|
||||
Notify_MEMBER_VALIDATE=عضو مصدق
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=عضو المكتتب
|
||||
Notify_MEMBER_RESILIATE=عضو resiliated
|
||||
Notify_MEMBER_DELETE=عضو حذف
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=عدد الملفات المرفقة / وثائق
|
||||
TotalSizeOfAttachedFiles=اجمالى حجم الملفات المرفقة / وثائق
|
||||
MaxSize=الحجم الأقصى
|
||||
@ -51,15 +54,15 @@ Miscellaneous=متفرقات
|
||||
NbOfActiveNotifications=عدد الإخطارات
|
||||
PredefinedMailTest=هذا هو الاختبار الإلكتروني. تكون مفصولة \\ nThe سطرين من قبل حرف إرجاع.
|
||||
PredefinedMailTestHtml=هذا هو البريد <b>الاختبار</b> (الاختبار يجب أن تكون في كلمة جريئة). <br> وتفصل بين الخطين من قبل حرف إرجاع.
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr الاتفاق هو تخطيط موارد المؤسسات وإدارة علاقات العملاء وتتكون من عدة وحدات وظيفية. وقال ان العرض يشمل جميع وحدات لا يعني اي شيء يحدث هذا أبدا. بذلك ، عرض عدة ملامح المتاحة.
|
||||
ChooseYourDemoProfil=اختيار عرض ملف المباراة التي أنشطتك...
|
||||
DemoFundation=أعضاء في إدارة مؤسسة
|
||||
@ -107,16 +110,16 @@ SurfaceUnitm2=m2
|
||||
SurfaceUnitdm2=dm2
|
||||
SurfaceUnitcm2=cm2
|
||||
SurfaceUnitmm2=mm2
|
||||
# SurfaceUnitfoot2=ft2
|
||||
# SurfaceUnitinch2=in2
|
||||
SurfaceUnitfoot2=ft2
|
||||
SurfaceUnitinch2=in2
|
||||
Volume=حجم
|
||||
TotalVolume=الحجم الإجمالي
|
||||
VolumeUnitm3=m3
|
||||
VolumeUnitdm3=dm3
|
||||
VolumeUnitcm3=cm3
|
||||
VolumeUnitmm3=mm3
|
||||
# VolumeUnitfoot3=ft3
|
||||
# VolumeUnitinch3=in3
|
||||
VolumeUnitfoot3=ft3
|
||||
VolumeUnitinch3=in3
|
||||
VolumeUnitounce=أوقية
|
||||
VolumeUnitlitre=لتر
|
||||
VolumeUnitgallon=غالون
|
||||
@ -127,7 +130,7 @@ SizeUnitcm=سم
|
||||
SizeUnitmm=مم
|
||||
SizeUnitinch=بوصة
|
||||
SizeUnitfoot=قدم
|
||||
# SizeUnitpoint=point
|
||||
SizeUnitpoint=point
|
||||
BugTracker=علة تعقب
|
||||
SendNewPasswordDesc=هذا الشكل يتيح لك طلب كلمة مرور جديدة. سيكون من إرسالها إلى عنوان البريد الإلكتروني الخاص بك. <br> التغيير لن تكون فعالة إلا بعد النقر على تأكيد الصلة داخل هذه الرسالة. <br> تحقق من بريدك الالكتروني القارئ البرمجيات.
|
||||
BackToLoginPage=عودة إلى صفحة تسجيل الدخول
|
||||
@ -141,12 +144,12 @@ StatsByNumberOfEntities=إحصاءات في عدد من الكيانات في ا
|
||||
NumberOfProposals=عددا من المقترحات بشأن 12 الشهر الماضي
|
||||
NumberOfCustomerOrders=عدد طلبات الزبائن على 12 في الشهر الماضي
|
||||
NumberOfCustomerInvoices=عدد من العملاء والفواتير على 12 الشهر الماضي
|
||||
# NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierInvoices=عدد من فواتير الموردين على 12 الشهر الماضي
|
||||
NumberOfUnitsProposals=عدد من الوحدات على مقترحات بشأن 12 الشهر الماضي
|
||||
NumberOfUnitsCustomerOrders=عدد من الوحدات على طلبات الزبائن على 12 في الشهر الماضي
|
||||
NumberOfUnitsCustomerInvoices=عدد من الوحدات على فواتير العملاء على 12 الشهر الماضي
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=عدد من الوحدات على فواتير الموردين على 12 الشهر الماضي
|
||||
EMailTextInterventionValidated=التدخل ٪ ق المصادق
|
||||
EMailTextInvoiceValidated=فاتورة ٪ ق المصادق
|
||||
@ -156,7 +159,7 @@ EMailTextOrderApproved=من أجل الموافقة على ق ٪
|
||||
EMailTextOrderApprovedBy=من أجل ٪ ق ق ٪ وافقت عليها
|
||||
EMailTextOrderRefused=من أجل رفض ق ٪
|
||||
EMailTextOrderRefusedBy=من أجل أن ترفض ٪ ق ق ٪
|
||||
# EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
ImportedWithSet=استيراد مجموعة البيانات
|
||||
DolibarrNotification=إشعار تلقائي
|
||||
ResizeDesc=أدخل عرض جديدة <b>أو</b> ارتفاع جديد. وستبقى نسبة خلال تغيير حجم...
|
||||
@ -178,12 +181,12 @@ StartUpload=بدء التحميل
|
||||
CancelUpload=إلغاء التحميل
|
||||
FileIsTooBig=ملفات كبيرة جدا
|
||||
PleaseBePatient=يرجى التحلي بالصبر...
|
||||
# RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
# NewKeyIs=This is your new keys to login
|
||||
# NewKeyWillBe=Your new key to login to software will be
|
||||
# ClickHereToGoTo=Click here to go to %s
|
||||
# YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
# ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
NewKeyIs=This is your new keys to login
|
||||
NewKeyWillBe=Your new key to login to software will be
|
||||
ClickHereToGoTo=Click here to go to %s
|
||||
YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
|
||||
##### Calendar common #####
|
||||
AddCalendarEntry=إضافة الدخول في التقويم ق ٪
|
||||
@ -205,7 +208,7 @@ MemberResiliatedInDolibarr=عضو في resiliated ٪ ق Dolibarr
|
||||
MemberDeletedInDolibarr=عضو ٪ ق حذفها من Dolibarr
|
||||
MemberSubscriptionAddedInDolibarr=الاكتتاب عضو ق ٪ وأضاف في Dolibarr
|
||||
ShipmentValidatedInDolibarr=%s شحنة التحقق من صحتها في Dolibarr
|
||||
# ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
##### Export #####
|
||||
Export=تصدير
|
||||
ExportsArea=صادرات المنطقة
|
||||
|
||||
@ -9,14 +9,17 @@ PAYPAL_API_USER=API المستخدم
|
||||
PAYPAL_API_PASSWORD=API كلمة السر
|
||||
PAYPAL_API_SIGNATURE=API توقيع
|
||||
PAYPAL_API_INTEGRAL_OR_PAYPALONLY=تقدم الدفع "لا يتجزأ" (بطاقة الائتمان + باي بال) أو "باي بال" فقط
|
||||
# PaypalModeIntegral=Integral
|
||||
# PaypalModeOnlyPaypal=PayPal only
|
||||
PaypalModeIntegral=Integral
|
||||
PaypalModeOnlyPaypal=PayPal only
|
||||
PAYPAL_CSS_URL=Optionnal عنوان الموقع من ورقة أنماط CSS في صفحة الدفع
|
||||
ThisIsTransactionId=هذا هو معرف من الصفقة: <b>%s</b>
|
||||
PAYPAL_ADD_PAYMENT_URL=إضافة رابط الدفع باي بال عند إرسال مستند عبر البريد
|
||||
PAYPAL_IPN_MAIL_ADDRESS=عنوان البريد الإلكتروني للإخطار لحظة الدفع (IPN)
|
||||
# PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
YouAreCurrentlyInSandboxMode=أنت حاليا في وضع "رمل"
|
||||
# NewPaypalPaymentReceived=New Paypal payment received
|
||||
# NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
# PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
NewPaypalPaymentReceived=New Paypal payment received
|
||||
NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Потребители и групи
|
||||
Module0Desc=Управление на потребители и групи
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=Събития и натъкмяване на дневен ред модул
|
||||
PasswordTogetVCalExport=, За да разреши износ връзка
|
||||
PastDelayVCalExport=Не изнася случай по-стари от
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=Този модул позволява да добавите икона след телефонни номера. Кликнете върху тази икона ще призове сървър с определен URL адрес можете да зададете по-долу. Това може да се използва, за да се обадя на кол център система от Dolibarr, че да се обаждат на телефонен номер на SIP система, например.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -1,12 +1,11 @@
|
||||
# Dolibarr language file - Source file is en_US - errors
|
||||
|
||||
# No errors
|
||||
# NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
# Errors
|
||||
Error=Грешка
|
||||
Errors=Грешки
|
||||
# ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorBadEMail=EMail %s не е
|
||||
ErrorBadUrl=Адреса %s не е
|
||||
ErrorLoginAlreadyExists=Вход %s вече съществува.
|
||||
@ -24,13 +23,13 @@ ErrorThisContactIsAlreadyDefinedAsThisType=Този контакт е вече
|
||||
ErrorCashAccountAcceptsOnlyCashMoney=Тази банкова сметка е разплащателна сметка, така че приема плащания пари само от тип.
|
||||
ErrorFromToAccountsMustDiffers=Източника и целите на банкови сметки трябва да бъде различен.
|
||||
ErrorBadThirdPartyName=Неправилна стойност за името на трета страна
|
||||
# ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorBadCustomerCodeSyntax=Bad синтаксис за код на клиента
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Клиентите изисква код
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Клиентът код вече се използва
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Префикс изисква
|
||||
ErrorUrlNotValid=Адресът на интернет страницата е неправилно
|
||||
ErrorBadSupplierCodeSyntax=Bad синтаксис за код на доставчика
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Лошите параметри
|
||||
ErrorBadValueForParameter=Грешна стойност "%s" за параметрите неправилни "%s"
|
||||
ErrorBadImageFormat=Image файла не е поддържан формат
|
||||
ErrorBadDateFormat="%s" Стойност има грешна дата формат
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Неуспех при запис в директорията %s
|
||||
ErrorFoundBadEmailInFile=Намерени неправилен синтаксис имейл за %s линии във файла (%s например съответствие с имейл = %s)
|
||||
ErrorUserCannotBeDelete=Потребителят не може да бъде изтрита. Може би тя е свързана върху лица Dolibarr.
|
||||
@ -61,21 +60,21 @@ ErrorUploadBlockedByAddon=Качи блокиран от PHP / Apache плъги
|
||||
ErrorFileSizeTooLarge=Размерът на файла е твърде голям.
|
||||
ErrorSizeTooLongForIntType=Размер твърде дълго за Вътрешна (%s цифри максимум)
|
||||
ErrorSizeTooLongForVarcharType=Размер твърде дълго за низ тип (%s символа максимум)
|
||||
# ErrorNoValueForSelectType=Please fill value for select list
|
||||
# ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
# ErrorNoValueForRadioType=Please fill value for radio list
|
||||
# ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorNoValueForSelectType=Please fill value for select list
|
||||
ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=Полеви <b>%s,</b> не трябва да съдържа специални знаци.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Не е активиран модула Счетоводство
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr LDAP съвпадение не е пълна.
|
||||
ErrorLDAPMakeManualTest=. LDIF файл е генериран в директорията %s. Опитайте се да го заредите ръчно от командния ред, за да има повече информация за грешките,.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=Не може да се запази действието с "статут не е започнал", ако поле ", направено от" е пълен.
|
||||
ErrorRefAlreadyExists=Ref използван за създаване вече съществува.
|
||||
ErrorPleaseTypeBankTransactionReportName=Моля, въведете името на банката, получаване, когато се отчита сделката (Format YYYYMM или YYYYMMDD)
|
||||
ErrorRecordHasChildren=Грешка при изтриване на записи, тъй като тя има някои детински.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Javascript не трябва да бъдат хората с увреждания да имат тази функция. За да включите / изключите Javascript, отидете в менюто Начало-> Setup-> Display.
|
||||
ErrorPasswordsMustMatch=Двете машинописни пароли трябва да съвпадат помежду си
|
||||
ErrorContactEMail=Техническа грешка. Моля, свържете се с администратора след имейл <b>%s</b> EN предоставят на <b>%s</b> код на грешка в съобщението си, или още по-добре чрез добавяне на екран копие на тази страница.
|
||||
@ -123,19 +122,19 @@ ErrorFileMustBeADolibarrPackage=Файла %s трябва да бъде Dolibar
|
||||
ErrorFileRequired=Отнема файла пакет Dolibarr
|
||||
ErrorPhpCurlNotInstalled=PHP навийте не е инсталиран, това е от съществено значение, за да разговаря с Paypal
|
||||
ErrorFailedToAddToMailmanList=Неуспешно добавяне на запис на пощальона списък или база СПИП
|
||||
# ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
ErrorNewValueCantMatchOldValue=Новата стойност не може да бъде равна на стария
|
||||
# ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
# ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
# ErrorFailedToAddContact=Failed to add contact
|
||||
# ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
# ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
# ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
# ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToAddContact=Failed to add contact
|
||||
ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Задължителни параметри на настройката все още не са определени
|
||||
WarningSafeModeOnCheckExecDir=Внимание, PHP опция <b>защитният режим</b> е включен, така че командата трябва да бъдат съхранени в директория, декларирани с параметър PHP <b>safe_mode_exec_dir.</b>
|
||||
@ -149,6 +148,6 @@ WarningNoDocumentModelActivated=Няма модел, за генериранет
|
||||
WarningLockFileDoesNotExists=Внимание, след Настройката е приключена, трябва да изключите инсталиране / мигрират инструменти чрез добавяне на файл <b>install.lock</b> в директорията <b>%s.</b> Липсва този файл е дупка в сигурността.
|
||||
WarningUntilDirRemoved=Всички предупреждения относно защитата (видими само от администратори) ще остане активен, докато уязвимост е (или се добавя, че постоянното MAIN_REMOVE_INSTALL_WARNING в Setup-> настройка).
|
||||
WarningCloseAlways=Внимание, затваряне се прави, дори ако сумата се различава между източника и целеви елементи. Активирайте тази функция с повишено внимание.
|
||||
# WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
# WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
# WarningNotRelevant=Irrelevant operation for this dataset
|
||||
WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
WarningNotRelevant=Irrelevant operation for this dataset
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Турски
|
||||
Language_sl_SI=Словенски
|
||||
Language_sv_SV=Шведски
|
||||
Language_sv_SE=Шведски
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Словашки
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Украински
|
||||
|
||||
@ -7,7 +7,7 @@ DIRECTION=ltr
|
||||
FONTFORPDF=DejaVuSans
|
||||
FONTSIZEFORPDF=10
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=None
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%m/%d/%Y
|
||||
FormatDateShortInput=%m/%d/%Y
|
||||
FormatDateShortJava=MM/dd/yyyy
|
||||
@ -34,7 +34,7 @@ ErrorFailedToOpenFile=Файла %s не може да се отвори
|
||||
ErrorCanNotCreateDir=Не може да се създаде папка %s
|
||||
ErrorCanNotReadDir=Не може да се прочете директорията %s
|
||||
ErrorConstantNotDefined=Параметъра %s не е дефиниран
|
||||
# ErrorUnknown=Unknown error
|
||||
ErrorUnknown=Unknown error
|
||||
ErrorSQL=SQL грешка
|
||||
ErrorLogoFileNotFound=Файла '%s' с логото не е открит
|
||||
ErrorGoToGlobalSetup=Отидете на настройките 'Фирма/Организация' за да настроите параметъра
|
||||
@ -60,8 +60,8 @@ ErrorNoSocialContributionForSellerCountry=Грешка, не е социален
|
||||
ErrorFailedToSaveFile=Грешка, файла не е записан.
|
||||
ErrorOnlyPngJpgSupported=Грешка, поддържат се само PNG и JPG формати на изображението.
|
||||
ErrorImageFormatNotSupported=Вашият PHP не поддържа функции за конвертиране на изображения от този формат.
|
||||
# SetDate=Set date
|
||||
# SelectDate=Select a date
|
||||
SetDate=Set date
|
||||
SelectDate=Select a date
|
||||
SeeAlso=Вижте също %s
|
||||
BackgroundColorByDefault=Подразбиращ се цвят на фона
|
||||
FileWasNotUploaded=Файлът е избран за прикачане, но все още не е качен. Кликнете върху "Прикачи файл".
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Информация за миналата дост
|
||||
DolibarrHasDetectedError=Dolibarr е открил техническа грешка
|
||||
InformationToHelpDiagnose=Това е информация, която може да помогне за диагностика
|
||||
MoreInformation=Повече информация
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Бележка (публична)
|
||||
NotePrivate=Бележка (частна)
|
||||
PrecisionUnitIsLimitedToXDecimals=Да се ограничи точност на единичните цени за <b>%s</b> знака след десетичната запетая dolibarr е настройка.
|
||||
@ -119,14 +120,14 @@ Activated=Активиран
|
||||
Closed=Затворен
|
||||
Closed2=Затворен
|
||||
Enabled=Разрешен
|
||||
# Deprecated=Deprecated
|
||||
Deprecated=Deprecated
|
||||
Disable=Забрани
|
||||
Disabled=Забранен
|
||||
Add=Добавяне
|
||||
AddLink=Добавяне на връзка
|
||||
Update=Актуализация
|
||||
# AddActionToDo=Add event to do
|
||||
# AddActionDone=Add event done
|
||||
AddActionToDo=Add event to do
|
||||
AddActionDone=Add event done
|
||||
Close=Затваряне
|
||||
Close2=Затваряне
|
||||
Confirm=Потвърждение
|
||||
@ -146,8 +147,8 @@ ToClone=Клониране
|
||||
ConfirmClone=Изберете данните, които желаете да клонирате:
|
||||
NoCloneOptionsSpecified=Няма определени данни за клониране.
|
||||
Of=на
|
||||
# Go=Go
|
||||
# Run=Run
|
||||
Go=Go
|
||||
Run=Run
|
||||
CopyOf=Копие от
|
||||
Show=Показване
|
||||
ShowCardHere=Покажи карта
|
||||
@ -229,10 +230,10 @@ DateOperation=Датата на операцията
|
||||
DateOperationShort=Oper. Дата
|
||||
DateLimit=Крайната дата
|
||||
DateRequest=Дата на заявка
|
||||
# DateProcess=Process date
|
||||
DateProcess=Process date
|
||||
DatePlanShort=Планирана дата
|
||||
DateRealShort=Реална дата
|
||||
# DateBuild=Report build date
|
||||
DateBuild=Report build date
|
||||
DatePayment=Дата на изплащане
|
||||
DurationYear=година
|
||||
DurationMonth=месец
|
||||
@ -259,10 +260,10 @@ Seconds=Секунди
|
||||
Today=Днес
|
||||
Yesterday=Вчера
|
||||
Tomorrow=Утре
|
||||
# Morning=Morning
|
||||
# Afternoon=Afternoon
|
||||
Morning=Morning
|
||||
Afternoon=Afternoon
|
||||
Quadri=Quadri
|
||||
# MonthOfDay=Month of the day
|
||||
MonthOfDay=Month of the day
|
||||
HourShort=H
|
||||
Rate=Процент
|
||||
UseLocalTax=с данък
|
||||
@ -297,10 +298,10 @@ AmountTTCShort=Сума (вкл. данък)
|
||||
AmountHT=Сума (без данък)
|
||||
AmountTTC=Сума (с данък)
|
||||
AmountVAT=Размер на данъка
|
||||
# AmountLT1=Amount tax 2
|
||||
# AmountLT2=Amount tax 3
|
||||
# AmountLT1ES=Amount RE
|
||||
# AmountLT2ES=Amount IRPF
|
||||
AmountLT1=Amount tax 2
|
||||
AmountLT2=Amount tax 3
|
||||
AmountLT1ES=Amount RE
|
||||
AmountLT2ES=Amount IRPF
|
||||
AmountTotal=Обща сума
|
||||
AmountAverage=Средна сума
|
||||
PriceQtyHT=Цена за това количество (без данък)
|
||||
@ -313,12 +314,12 @@ SubTotal=Междинна сума
|
||||
TotalHTShort=Общо (нето)
|
||||
TotalTTCShort=Общо (с данък)
|
||||
TotalHT=Общо (без данък)
|
||||
# TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalTTC=Общо (с данък)
|
||||
TotalTTCToYourCredit=Общо (с данък) с вашия кредит
|
||||
TotalVAT=Общи приходи от данъци
|
||||
# TotalLT1=Total tax 2
|
||||
# TotalLT2=Total tax 3
|
||||
TotalLT1=Total tax 2
|
||||
TotalLT2=Total tax 3
|
||||
TotalLT1ES=Общо RE
|
||||
TotalLT2ES=Общо IRPF
|
||||
IncludedVAT=С включен данък
|
||||
@ -393,7 +394,7 @@ OtherInformations=Други данни
|
||||
Quantity=Количество
|
||||
Qty=Количество
|
||||
ChangedBy=Променено от
|
||||
# ReCalculate=Recalculate
|
||||
ReCalculate=Recalculate
|
||||
ResultOk=Успех
|
||||
ResultKo=Провал
|
||||
Reporting=Докладване
|
||||
@ -485,11 +486,11 @@ ReportName=Име на доклада
|
||||
ReportPeriod=Период на доклада
|
||||
ReportDescription=Описание
|
||||
Report=Доклад
|
||||
# Keyword=Mot clé
|
||||
Keyword=Mot clé
|
||||
Legend=Легенда
|
||||
FillTownFromZip=Попълнете града от пощ. код
|
||||
# Fill=Fill
|
||||
# Reset=Reset
|
||||
Fill=Fill
|
||||
Reset=Reset
|
||||
ShowLog=Показване на лог
|
||||
File=Файл
|
||||
Files=Файлове
|
||||
@ -546,7 +547,7 @@ Response=Отговор
|
||||
Priority=Приоритет
|
||||
SendByMail=Изпращане по e-mail
|
||||
MailSentBy=E-mail, изпратен от
|
||||
# TextUsedInTheMessageBody=Email body
|
||||
TextUsedInTheMessageBody=Email body
|
||||
SendAcknowledgementByMail=Изпращане на уведомление по имейл
|
||||
NoEMail=Няма имейл
|
||||
Owner=Собственик
|
||||
@ -574,7 +575,7 @@ TotalWoman=Общо
|
||||
TotalMan=Общо
|
||||
NeverReceived=Никога не са получавали
|
||||
Canceled=Отменен
|
||||
# YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
Color=Цвят
|
||||
Documents=Свързани файлове
|
||||
DocumentsNb=Свързани файлове (%s)
|
||||
@ -589,7 +590,7 @@ ThisLimitIsDefinedInSetup=Ограничение на Dolibarr (Начало-Н
|
||||
NoFileFound=Няма записани документи в тази директория
|
||||
CurrentUserLanguage=Текущ език
|
||||
CurrentTheme=Текущата тема
|
||||
# CurrentMenuManager=Current menu manager
|
||||
CurrentMenuManager=Current menu manager
|
||||
DisabledModules=Увреждания модули
|
||||
For=За
|
||||
ForCustomer=За клиента
|
||||
@ -608,7 +609,7 @@ CloneMainAttributes=Clone обект с неговите основни атри
|
||||
PDFMerge=PDF Merge
|
||||
Merge=Обединяване
|
||||
PrintContentArea=Показване на страница за печат на основното съдържание
|
||||
# MenuManager=Menu manager
|
||||
MenuManager=Menu manager
|
||||
NoMenu=Не подменю
|
||||
WarningYouAreInMaintenanceMode=Внимание, вие сте в режим на поддръжка, така че само вход <b>%s</b> се разрешава за използване приложение в момента.
|
||||
CoreErrorTitle=Системна грешка
|
||||
@ -654,22 +655,22 @@ LinkedToSpecificUsers=Свързано с даден контакт на пот
|
||||
DeleteAFile=Изтриване на файл
|
||||
ConfirmDeleteAFile=Сигурни ли сте, че елаете да изтриете файла
|
||||
NoResults=Няма намерени резултати
|
||||
# ModulesSystemTools=Modules tools
|
||||
ModulesSystemTools=Modules tools
|
||||
Test=Тест
|
||||
Element=Елемент
|
||||
# NoPhotoYet=No pictures available yet
|
||||
# HomeDashboard=Home summary
|
||||
# Deductible=Deductible
|
||||
# from=from
|
||||
# toward=toward
|
||||
NoPhotoYet=No pictures available yet
|
||||
HomeDashboard=Home summary
|
||||
Deductible=Deductible
|
||||
from=from
|
||||
toward=toward
|
||||
Access=Достъп
|
||||
HelpCopyToClipboard=Използвайте Ctrl+C за да копирате в клипборда
|
||||
SaveUploadedFileWithMask=Запишете файла на сървъра с име "<strong>%s</strong>" (otherwise "%s")
|
||||
OriginFileName=Оригинално име на файла
|
||||
# SetDemandReason=Set source
|
||||
# ViewPrivateNote=View notes
|
||||
# XMoreLines=%s line(s) hidden
|
||||
# PublicUrl=Public URL
|
||||
SetDemandReason=Set source
|
||||
ViewPrivateNote=View notes
|
||||
XMoreLines=%s line(s) hidden
|
||||
PublicUrl=Public URL
|
||||
|
||||
# Week day
|
||||
Monday=Понеделник
|
||||
|
||||
@ -10,21 +10,22 @@ DateToBirth=Дата на раждане
|
||||
BirthdayAlertOn= Известяването за рожден ден е активно
|
||||
BirthdayAlertOff= Известяването за рожден ден е неактивно
|
||||
Notify_FICHINTER_VALIDATE=Интервенция валидирани
|
||||
# Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_BILL_VALIDATE=Клиентът фактура се заверява
|
||||
# Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_ORDER_SUPPLIER_APPROVE=Доставчик утвърдения
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Доставчик за отказа
|
||||
Notify_ORDER_VALIDATE=Клиента заявка се заверява
|
||||
Notify_PROPAL_VALIDATE=Клиентът предложение се заверява
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Предаване оттегляне
|
||||
Notify_WITHDRAW_CREDIT=Оттегляне на кредитирането
|
||||
Notify_WITHDRAW_EMIT=Извършване на оттегляне
|
||||
Notify_ORDER_SENTBYMAIL=Поръчка на клиента, изпратено по пощата
|
||||
Notify_COMPANY_CREATE=Третата страна е създадена
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Търговско предложение, изпратено по пощата
|
||||
Notify_ORDER_SENTBYMAIL=Поръчка на клиента, изпратено по пощата
|
||||
Notify_BILL_PAYED=Фактурата на клиента е платена
|
||||
Notify_BILL_CANCEL=Фактурата на клиента е отменена
|
||||
Notify_BILL_SENTBYMAIL=Фактурата на клиента е изпратена по пощата
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Доставчик реда, изпратени
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Доставчик фактура валидирани
|
||||
Notify_BILL_SUPPLIER_PAYED=Доставчик фактура плаща
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Доставчик фактура, изпратена по пощата
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Договор валидирани
|
||||
Notify_FICHEINTER_VALIDATE=Интервенция валидирани
|
||||
Notify_SHIPPING_VALIDATE=Доставка валидирани
|
||||
Notify_SHIPPING_SENTBYMAIL=Доставка изпращат по пощата
|
||||
Notify_MEMBER_VALIDATE=Члена е приет
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Члена е subscribed
|
||||
Notify_MEMBER_RESILIATE=Члена е изключен
|
||||
Notify_MEMBER_DELETE=Члена е изтрит
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Брой на прикачените файлове/документи
|
||||
TotalSizeOfAttachedFiles=Общ размер на прикачените файлове/документи
|
||||
MaxSize=Максимален размер
|
||||
@ -51,15 +54,15 @@ Miscellaneous=Разни
|
||||
NbOfActiveNotifications=Брой на уведомленията
|
||||
PredefinedMailTest=Това е тестов имейл.\nДвата реда са разделени с нов ред.\n\n__SIGNATURE__
|
||||
PredefinedMailTestHtml=Това е <b>тестов</b> имейл (думата тестов трябва да бъде с удебелен шрифт). <br>Двата реда са разделени с нов ред.<br><br> __SIGNATURE__
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr е компактен ERP / CRM състои от няколко функционални модули. Демо, което включва всички модули не означава нищо, тъй като това никога не се случва. Така че, няколко демо профили са на разположение.
|
||||
ChooseYourDemoProfil=Изберете профила демо, които съответстват на вашата дейност ...
|
||||
DemoFundation=Управление на членовете на организацията
|
||||
@ -127,7 +130,7 @@ SizeUnitcm=cm
|
||||
SizeUnitmm=mm
|
||||
SizeUnitinch=инч
|
||||
SizeUnitfoot=крак
|
||||
# SizeUnitpoint=point
|
||||
SizeUnitpoint=point
|
||||
BugTracker=Свържете се с нас
|
||||
SendNewPasswordDesc=Тази форма ви позволява да зададете нова парола. Тя ще бъде изпратена на вашия имейл адрес.<br>Промяната ще бъде в сила само след като щракнете върху връзката за потвърждение в имейла.<br>Проверете си пощата.
|
||||
BackToLoginPage=Назад към страницата за вход
|
||||
@ -141,12 +144,12 @@ StatsByNumberOfEntities=Статистиката в брой, отнасящи
|
||||
NumberOfProposals=Брой на предложенията за последните 12 месеца
|
||||
NumberOfCustomerOrders=Брой на поръчки от клиенти за последните 12 месеца
|
||||
NumberOfCustomerInvoices=Брой на клиентските фактури за последните 12 месеца
|
||||
# NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierInvoices=Брой доставчици фактури за последните 12 месеца
|
||||
NumberOfUnitsProposals=Брой дялове относно предложенията за последните 12 месеца
|
||||
NumberOfUnitsCustomerOrders=Брой единици на поръчки от клиенти за последните 12 месеца
|
||||
NumberOfUnitsCustomerInvoices=Брой единици на клиентските фактури за последните 12 месеца
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=Брой единици на доставчика фактури за последните 12 месеца
|
||||
EMailTextInterventionValidated=Намесата %s е била потвърдена.
|
||||
EMailTextInvoiceValidated=Фактура %s е била потвърдена.
|
||||
@ -156,7 +159,7 @@ EMailTextOrderApproved=За %s е одобрен.
|
||||
EMailTextOrderApprovedBy=Е бил одобрен за %s от %s.
|
||||
EMailTextOrderRefused=За %s е била отказана.
|
||||
EMailTextOrderRefusedBy=За %s е отказано от %s.
|
||||
# EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
ImportedWithSet=Внос набор от данни
|
||||
DolibarrNotification=Автоматично уведомяване
|
||||
ResizeDesc=Въвеждане на нова ширина <b>или</b> височина. Съотношение ще се запазват по време преоразмеряване ...
|
||||
@ -181,7 +184,7 @@ PleaseBePatient=Моля, бъдете търпеливи ...
|
||||
RequestToResetPasswordReceived=Получена е заявка за промяна на Вашата парола за достъп до Dolibarr
|
||||
NewKeyIs=Това е Вашият нов ключ за влизане
|
||||
NewKeyWillBe=Вашият нов ключ за влизане в софтуера ще бъде
|
||||
# ClickHereToGoTo=Click here to go to %s
|
||||
ClickHereToGoTo=Click here to go to %s
|
||||
YouMustClickToChange=Необходимо е да щтракнете върху следния линк за да потвърдите промяната на паролата
|
||||
ForgetIfNothing=Ако не сте заявили промяната, просто забравете за този имейл. Вашите идентификационни данни се съхраняват на сигурно място.
|
||||
|
||||
@ -205,7 +208,7 @@ MemberResiliatedInDolibarr=%s изключени членове в Dolibarr
|
||||
MemberDeletedInDolibarr=Държавите-%s изтрит от Dolibarr
|
||||
MemberSubscriptionAddedInDolibarr=Абонамент за държавите %s добави Dolibarr
|
||||
ShipmentValidatedInDolibarr=Превоз %s валидирани в Dolibarr
|
||||
# ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
##### Export #####
|
||||
Export=Износ
|
||||
ExportsArea=Износът площ
|
||||
|
||||
@ -9,14 +9,17 @@ PAYPAL_API_USER=API потребителско име
|
||||
PAYPAL_API_PASSWORD=API парола
|
||||
PAYPAL_API_SIGNATURE=API подпис
|
||||
PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Оферта плащане "неразделна" (кредитна карта + Paypal) или "Paypal"
|
||||
# PaypalModeIntegral=Integral
|
||||
# PaypalModeOnlyPaypal=PayPal only
|
||||
PaypalModeIntegral=Integral
|
||||
PaypalModeOnlyPaypal=PayPal only
|
||||
PAYPAL_CSS_URL=Optionnal Адреса на стил CSS лист на страницата за плащане
|
||||
ThisIsTransactionId=Това е номер на сделката: <b>%s</b>
|
||||
PAYPAL_ADD_PAYMENT_URL=Добавяне на URL адреса на Paypal плащане, когато ви изпрати документа по пощата
|
||||
PAYPAL_IPN_MAIL_ADDRESS=Е-мейл адрес за миг уведомление за плащането (IPN)
|
||||
PredefinedMailContentLink=Можете да кликнете върху сигурна връзка по-долу, за да направите плащане чрез PayPal \n\n %s \n\n
|
||||
YouAreCurrentlyInSandboxMode=В момента сте в режим "пясък"
|
||||
# NewPaypalPaymentReceived=New Paypal payment received
|
||||
# NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
# PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
NewPaypalPaymentReceived=New Paypal payment received
|
||||
NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Users & groups
|
||||
Module0Desc=Users and groups management
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=Events and agenda module setup
|
||||
PasswordTogetVCalExport=Key to authorize export link
|
||||
PastDelayVCalExport=Do not export event older than
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=This module allows to add an icon after phone numbers. A click on this icon will call a server with a particular URL you define below. This can be used to call a call center system from Dolibarr that can call the phone number on a SIP system for example.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -1,154 +1,153 @@
|
||||
# Dolibarr language file - Source file is en_US - errors
|
||||
|
||||
# No errors
|
||||
# NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
# Errors
|
||||
# Error=Error
|
||||
# Errors=Errors
|
||||
# ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
# ErrorBadEMail=EMail %s is wrong
|
||||
# ErrorBadUrl=Url %s is wrong
|
||||
# ErrorLoginAlreadyExists=Login %s already exists.
|
||||
# ErrorGroupAlreadyExists=Group %s already exists.
|
||||
# ErrorRecordNotFound=Record not found.
|
||||
# ErrorFailToCopyFile=Failed to copy file '<b>%s</b>' into '<b>%s</b>'.
|
||||
# ErrorFailToRenameFile=Failed to rename file '<b>%s</b>' into '<b>%s</b>'.
|
||||
# ErrorFailToDeleteFile=Failed to remove file '<b>%s</b>'.
|
||||
# ErrorFailToCreateFile=Failed to create file '<b>%s</b>'.
|
||||
# ErrorFailToRenameDir=Failed to rename directory '<b>%s</b>' into '<b>%s</b>'.
|
||||
# ErrorFailToCreateDir=Failed to create directory '<b>%s</b>'.
|
||||
# ErrorFailToDeleteDir=Failed to delete directory '<b>%s</b>'.
|
||||
# ErrorFailedToDeleteJoinedFiles=Can not delete environment because there is some joined files. Remove join files first.
|
||||
# ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type.
|
||||
# ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only.
|
||||
# ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different.
|
||||
# ErrorBadThirdPartyName=Bad value for third party name
|
||||
# ErrorProdIdIsMandatory=The %s is mandatory
|
||||
# ErrorBadCustomerCodeSyntax=Bad syntax for customer code
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
# ErrorCustomerCodeRequired=Customer code required
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
# ErrorCustomerCodeAlreadyUsed=Customer code already used
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
# ErrorPrefixRequired=Prefix required
|
||||
# ErrorUrlNotValid=The website address is incorrect
|
||||
# ErrorBadSupplierCodeSyntax=Bad syntax for supplier code
|
||||
# ErrorSupplierCodeRequired=Supplier code required
|
||||
# ErrorSupplierCodeAlreadyUsed=Supplier code already used
|
||||
# ErrorBadParameters=Bad parameters
|
||||
# ErrorBadValueForParameter=Wrong value '%s' for parameter incorrect '%s'
|
||||
# ErrorBadImageFormat=Image file has not a supported format
|
||||
# ErrorBadDateFormat=Value '%s' has wrong date format
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
# ErrorFailedToWriteInDir=Failed to write in directory %s
|
||||
# ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s)
|
||||
# ErrorUserCannotBeDelete=User can not be deleted. May be it is associated on Dolibarr entities.
|
||||
# ErrorFieldsRequired=Some required fields were not filled.
|
||||
# ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter <b>safe_mode</b> is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
|
||||
# ErrorNoMailDefinedForThisUser=No mail defined for this user
|
||||
# ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
|
||||
# ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
|
||||
# ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
|
||||
# ErrorFileNotFound=File <b>%s</b> not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
|
||||
# ErrorDirNotFound=Directory <b>%s</b> not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
|
||||
# ErrorFunctionNotAvailableInPHP=Function <b>%s</b> is required for this feature but is not available in this version/setup of PHP.
|
||||
# ErrorDirAlreadyExists=A directory with this name already exists.
|
||||
# ErrorFileAlreadyExists=A file with this name already exists.
|
||||
# ErrorPartialFile=File not received completely by server.
|
||||
# ErrorNoTmpDir=Temporary directy %s does not exists.
|
||||
# ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin.
|
||||
# ErrorFileSizeTooLarge=File size is too large.
|
||||
# ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum)
|
||||
# ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum)
|
||||
# ErrorNoValueForSelectType=Please fill value for select list
|
||||
# ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
# ErrorNoValueForRadioType=Please fill value for radio list
|
||||
# ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
# ErrorFieldCanNotContainSpecialCharacters=Field <b>%s</b> must not contains special characters.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
# ErrorNoAccountancyModuleLoaded=No accountancy module activated
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
# ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
|
||||
# ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
|
||||
# ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "statut not started" if field "done by" is also filled.
|
||||
# ErrorRefAlreadyExists=Ref used for creation already exists.
|
||||
# ErrorPleaseTypeBankTransactionReportName=Please type bank receipt name where transaction is reported (Format YYYYMM or YYYYMMDD)
|
||||
# ErrorRecordHasChildren=Failed to delete records since it has some childs.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
# ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display.
|
||||
# ErrorPasswordsMustMatch=Both typed passwords must match each other
|
||||
# ErrorContactEMail=A technical error occured. Please, contact administrator to following email <b>%s</b> en provide the error code <b>%s</b> in your message, or even better by adding a screen copy of this page.
|
||||
# ErrorWrongValueForField=Wrong value for field number <b>%s</b> (value '<b>%s</b>' does not match regex rule <b>%s</b>)
|
||||
# ErrorFieldValueNotIn=Wrong value for field number <b>%s</b> (value '<b>%s</b>' is not a value available into field <b>%s</b> of table <b>%s</b>)
|
||||
# ErrorFieldRefNotIn=Wrong value for field number <b>%s</b> (value '<b>%s</b>' is not a <b>%s</b> existing ref)
|
||||
# ErrorsOnXLines=Errors on <b>%s</b> source record(s)
|
||||
# ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus)
|
||||
# ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s"
|
||||
# ErrorDatabaseParameterWrong=Database setup parameter '<b>%s</b>' has a value not compatible to use Dolibarr (must have value '<b>%s</b>').
|
||||
# ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module.
|
||||
# ErrorQtyTooLowForThisSupplier=Quantity too low for this supplier or no price defined on this product for this supplier
|
||||
# ErrorModuleSetupNotComplete=Setup of module looks to be uncomplete. Go on Setup - Modules to complete.
|
||||
# ErrorBadMask=Error on mask
|
||||
# ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number
|
||||
# ErrorBadMaskBadRazMonth=Error, bad reset value
|
||||
# ErrorSelectAtLeastOne=Error. Select at least one entry.
|
||||
# ErrorProductWithRefNotExist=Product with reference '<i>%s</i>' don't exist
|
||||
# ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transation that is conciliated
|
||||
# ErrorProdIdAlreadyExist=%s is assigned to another third
|
||||
# ErrorFailedToSendPassword=Failed to send password
|
||||
# ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information.
|
||||
# ErrorPasswordDiffers=Passwords differs, please type them again.
|
||||
# ErrorForbidden=Access denied.<br>You try to access to a page, area or feature without being in an authenticated session or that is not allowed to your user.
|
||||
# ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s.
|
||||
# ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...).
|
||||
# ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display.
|
||||
# ErrorRecordAlreadyExists=Record already exists
|
||||
# ErrorCantReadFile=Failed to read file '%s'
|
||||
# ErrorCantReadDir=Failed to read directory '%s'
|
||||
# ErrorFailedToFindEntity=Failed to read environment '%s'
|
||||
# ErrorBadLoginPassword=Bad value for login or password
|
||||
# ErrorLoginDisabled=Your account has been disabled
|
||||
# ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server. If PHP <b>Safe Mode</b> is enabled, check that command is inside a directory defined by parameter <b>safe_mode_exec_dir</b>.
|
||||
# ErrorFailedToChangePassword=Failed to change password
|
||||
# ErrorLoginDoesNotExists=User with login <b>%s</b> could not be found.
|
||||
# ErrorLoginHasNoEmail=This user has no email address. Process aborted.
|
||||
# ErrorBadValueForCode=Bad value for security code. Try again with new value...
|
||||
# ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative
|
||||
# ErrorWebServerUserHasNotPermission=User account <b>%s</b> used to execute web server has no permission for that
|
||||
# ErrorNoActivatedBarcode=No barcode type activated
|
||||
# ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
# ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
# ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
# ErrorFileRequired=It takes a package Dolibarr file
|
||||
# ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
# ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
# ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
# ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
# ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
# ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
# ErrorFailedToAddContact=Failed to add contact
|
||||
# ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
# ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
# ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
# ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
Error=Error
|
||||
Errors=Errors
|
||||
ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorBadEMail=EMail %s is wrong
|
||||
ErrorBadUrl=Url %s is wrong
|
||||
ErrorLoginAlreadyExists=Login %s already exists.
|
||||
ErrorGroupAlreadyExists=Group %s already exists.
|
||||
ErrorRecordNotFound=Record not found.
|
||||
ErrorFailToCopyFile=Failed to copy file '<b>%s</b>' into '<b>%s</b>'.
|
||||
ErrorFailToRenameFile=Failed to rename file '<b>%s</b>' into '<b>%s</b>'.
|
||||
ErrorFailToDeleteFile=Failed to remove file '<b>%s</b>'.
|
||||
ErrorFailToCreateFile=Failed to create file '<b>%s</b>'.
|
||||
ErrorFailToRenameDir=Failed to rename directory '<b>%s</b>' into '<b>%s</b>'.
|
||||
ErrorFailToCreateDir=Failed to create directory '<b>%s</b>'.
|
||||
ErrorFailToDeleteDir=Failed to delete directory '<b>%s</b>'.
|
||||
ErrorFailedToDeleteJoinedFiles=Can not delete environment because there is some joined files. Remove join files first.
|
||||
ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type.
|
||||
ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only.
|
||||
ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different.
|
||||
ErrorBadThirdPartyName=Bad value for third party name
|
||||
ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorBadCustomerCodeSyntax=Bad syntax for customer code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Customer code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Customer code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Prefix required
|
||||
ErrorUrlNotValid=The website address is incorrect
|
||||
ErrorBadSupplierCodeSyntax=Bad syntax for supplier code
|
||||
ErrorSupplierCodeRequired=Supplier code required
|
||||
ErrorSupplierCodeAlreadyUsed=Supplier code already used
|
||||
ErrorBadParameters=Bad parameters
|
||||
ErrorBadValueForParameter=Wrong value '%s' for parameter incorrect '%s'
|
||||
ErrorBadImageFormat=Image file has not a supported format
|
||||
ErrorBadDateFormat=Value '%s' has wrong date format
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Failed to write in directory %s
|
||||
ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s)
|
||||
ErrorUserCannotBeDelete=User can not be deleted. May be it is associated on Dolibarr entities.
|
||||
ErrorFieldsRequired=Some required fields were not filled.
|
||||
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter <b>safe_mode</b> is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
|
||||
ErrorNoMailDefinedForThisUser=No mail defined for this user
|
||||
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
|
||||
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
|
||||
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
|
||||
ErrorFileNotFound=File <b>%s</b> not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
|
||||
ErrorDirNotFound=Directory <b>%s</b> not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
|
||||
ErrorFunctionNotAvailableInPHP=Function <b>%s</b> is required for this feature but is not available in this version/setup of PHP.
|
||||
ErrorDirAlreadyExists=A directory with this name already exists.
|
||||
ErrorFileAlreadyExists=A file with this name already exists.
|
||||
ErrorPartialFile=File not received completely by server.
|
||||
ErrorNoTmpDir=Temporary directy %s does not exists.
|
||||
ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin.
|
||||
ErrorFileSizeTooLarge=File size is too large.
|
||||
ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum)
|
||||
ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum)
|
||||
ErrorNoValueForSelectType=Please fill value for select list
|
||||
ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=Field <b>%s</b> must not contains special characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=No accountancy module activated
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
|
||||
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "statut not started" if field "done by" is also filled.
|
||||
ErrorRefAlreadyExists=Ref used for creation already exists.
|
||||
ErrorPleaseTypeBankTransactionReportName=Please type bank receipt name where transaction is reported (Format YYYYMM or YYYYMMDD)
|
||||
ErrorRecordHasChildren=Failed to delete records since it has some childs.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display.
|
||||
ErrorPasswordsMustMatch=Both typed passwords must match each other
|
||||
ErrorContactEMail=A technical error occured. Please, contact administrator to following email <b>%s</b> en provide the error code <b>%s</b> in your message, or even better by adding a screen copy of this page.
|
||||
ErrorWrongValueForField=Wrong value for field number <b>%s</b> (value '<b>%s</b>' does not match regex rule <b>%s</b>)
|
||||
ErrorFieldValueNotIn=Wrong value for field number <b>%s</b> (value '<b>%s</b>' is not a value available into field <b>%s</b> of table <b>%s</b>)
|
||||
ErrorFieldRefNotIn=Wrong value for field number <b>%s</b> (value '<b>%s</b>' is not a <b>%s</b> existing ref)
|
||||
ErrorsOnXLines=Errors on <b>%s</b> source record(s)
|
||||
ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus)
|
||||
ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s"
|
||||
ErrorDatabaseParameterWrong=Database setup parameter '<b>%s</b>' has a value not compatible to use Dolibarr (must have value '<b>%s</b>').
|
||||
ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module.
|
||||
ErrorQtyTooLowForThisSupplier=Quantity too low for this supplier or no price defined on this product for this supplier
|
||||
ErrorModuleSetupNotComplete=Setup of module looks to be uncomplete. Go on Setup - Modules to complete.
|
||||
ErrorBadMask=Error on mask
|
||||
ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number
|
||||
ErrorBadMaskBadRazMonth=Error, bad reset value
|
||||
ErrorSelectAtLeastOne=Error. Select at least one entry.
|
||||
ErrorProductWithRefNotExist=Product with reference '<i>%s</i>' don't exist
|
||||
ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transation that is conciliated
|
||||
ErrorProdIdAlreadyExist=%s is assigned to another third
|
||||
ErrorFailedToSendPassword=Failed to send password
|
||||
ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information.
|
||||
ErrorPasswordDiffers=Passwords differs, please type them again.
|
||||
ErrorForbidden=Access denied.<br>You try to access to a page, area or feature without being in an authenticated session or that is not allowed to your user.
|
||||
ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s.
|
||||
ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...).
|
||||
ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display.
|
||||
ErrorRecordAlreadyExists=Record already exists
|
||||
ErrorCantReadFile=Failed to read file '%s'
|
||||
ErrorCantReadDir=Failed to read directory '%s'
|
||||
ErrorFailedToFindEntity=Failed to read environment '%s'
|
||||
ErrorBadLoginPassword=Bad value for login or password
|
||||
ErrorLoginDisabled=Your account has been disabled
|
||||
ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server. If PHP <b>Safe Mode</b> is enabled, check that command is inside a directory defined by parameter <b>safe_mode_exec_dir</b>.
|
||||
ErrorFailedToChangePassword=Failed to change password
|
||||
ErrorLoginDoesNotExists=User with login <b>%s</b> could not be found.
|
||||
ErrorLoginHasNoEmail=This user has no email address. Process aborted.
|
||||
ErrorBadValueForCode=Bad value for security code. Try again with new value...
|
||||
ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative
|
||||
ErrorWebServerUserHasNotPermission=User account <b>%s</b> used to execute web server has no permission for that
|
||||
ErrorNoActivatedBarcode=No barcode type activated
|
||||
ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
ErrorFileRequired=It takes a package Dolibarr file
|
||||
ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToAddContact=Failed to add contact
|
||||
ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
# WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
# WarningSafeModeOnCheckExecDir=Warning, PHP option <b>safe_mode</b> is on so command must be stored inside a directory declared by php parameter <b>safe_mode_exec_dir</b>.
|
||||
# WarningAllowUrlFopenMustBeOn=Parameter <b>allow_url_fopen</b> must be set to <b>on</b> in filer <b>php.ini</b> for having this module working completely. You must modify this file manually.
|
||||
# WarningBuildScriptNotRunned=Script <b>%s</b> was not yet ran to build graphics, or there is no data to show.
|
||||
# WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists.
|
||||
# WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this.
|
||||
# WarningConfFileMustBeReadOnly=Warning, your config file (<b>htdocs/conf/conf.php</b>) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe.
|
||||
# WarningsOnXLines=Warnings on <b>%s</b> source record(s)
|
||||
# WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be choosed by default until you check your module setup.
|
||||
# WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
# WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other setup).
|
||||
# WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
# WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
# WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
# WarningNotRelevant=Irrelevant operation for this dataset
|
||||
WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningSafeModeOnCheckExecDir=Warning, PHP option <b>safe_mode</b> is on so command must be stored inside a directory declared by php parameter <b>safe_mode_exec_dir</b>.
|
||||
WarningAllowUrlFopenMustBeOn=Parameter <b>allow_url_fopen</b> must be set to <b>on</b> in filer <b>php.ini</b> for having this module working completely. You must modify this file manually.
|
||||
WarningBuildScriptNotRunned=Script <b>%s</b> was not yet ran to build graphics, or there is no data to show.
|
||||
WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists.
|
||||
WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this.
|
||||
WarningConfFileMustBeReadOnly=Warning, your config file (<b>htdocs/conf/conf.php</b>) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe.
|
||||
WarningsOnXLines=Warnings on <b>%s</b> source record(s)
|
||||
WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be choosed by default until you check your module setup.
|
||||
WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other setup).
|
||||
WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
WarningNotRelevant=Irrelevant operation for this dataset
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Turski
|
||||
Language_sl_SI=Slovenački
|
||||
Language_sv_SV=Švedski
|
||||
Language_sv_SE=Švedski
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovački
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Ukrajinski
|
||||
|
||||
File diff suppressed because it is too large
Load Diff
@ -1,220 +1,223 @@
|
||||
# Dolibarr language file - Source file is en_US - other
|
||||
# SecurityCode=Security code
|
||||
# Calendar=Calendar
|
||||
# AddTrip=Add trip
|
||||
# Tools=Tools
|
||||
# ToolsDesc=This area is dedicated to group miscellaneous tools not available into other menu entries.<br><br>Those tools can be reached from menu on the side.
|
||||
# Birthday=Birthday
|
||||
# BirthdayDate=Birthday
|
||||
# DateToBirth=Date of birth
|
||||
# BirthdayAlertOn= birthday alert active
|
||||
# BirthdayAlertOff= birthday alert inactive
|
||||
# Notify_FICHINTER_VALIDATE=Intervention validated
|
||||
# Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
# Notify_BILL_VALIDATE=Customer invoice validated
|
||||
# Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
# Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved
|
||||
# Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused
|
||||
# Notify_ORDER_VALIDATE=Customer order validated
|
||||
# Notify_PROPAL_VALIDATE=Customer proposal validated
|
||||
# Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
|
||||
# Notify_WITHDRAW_CREDIT=Credit withdrawal
|
||||
# Notify_WITHDRAW_EMIT=Perform withdrawal
|
||||
# Notify_ORDER_SENTBYMAIL=Customer order sent by mail
|
||||
# Notify_COMPANY_CREATE=Third party created
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
# Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
|
||||
# Notify_ORDER_SENTBYMAIL=Customer order sent by mail
|
||||
# Notify_BILL_PAYED=Customer invoice payed
|
||||
# Notify_BILL_CANCEL=Customer invoice canceled
|
||||
# Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
|
||||
# Notify_ORDER_SUPPLIER_VALIDATE=Supplier order validated
|
||||
# Notify_ORDER_SUPPLIER_SENTBYMAIL=Supplier order sent by mail
|
||||
# Notify_BILL_SUPPLIER_VALIDATE=Supplier invoice validated
|
||||
# Notify_BILL_SUPPLIER_PAYED=Supplier invoice payed
|
||||
# Notify_BILL_SUPPLIER_SENTBYMAIL=Supplier invoice sent by mail
|
||||
# Notify_CONTRACT_VALIDATE=Contract validated
|
||||
# Notify_FICHEINTER_VALIDATE=Intervention validated
|
||||
# Notify_SHIPPING_VALIDATE=Shipping validated
|
||||
# Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
|
||||
# Notify_MEMBER_VALIDATE=Member validated
|
||||
# Notify_MEMBER_SUBSCRIPTION=Member subscribed
|
||||
# Notify_MEMBER_RESILIATE=Member resiliated
|
||||
# Notify_MEMBER_DELETE=Member deleted
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
# NbOfAttachedFiles=Number of attached files/documents
|
||||
# TotalSizeOfAttachedFiles=Total size of attached files/documents
|
||||
# MaxSize=Maximum size
|
||||
# AttachANewFile=Attach a new file/document
|
||||
# LinkedObject=Linked object
|
||||
# Miscellaneous=Miscellaneous
|
||||
# NbOfActiveNotifications=Number of notifications
|
||||
# PredefinedMailTest=This is a test mail.\nThe two lines are separated by a carriage return.\n\n__SIGNATURE__
|
||||
# PredefinedMailTestHtml=This is a <b>test</b> mail (the word test must be in bold).<br>The two lines are separated by a carriage return.<br><br>__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
# DemoDesc=Dolibarr is a compact ERP/CRM composed by several functional modules. A demo that includes all modules does not mean anything as this never occurs. So, several demo profiles are available.
|
||||
# ChooseYourDemoProfil=Choose the demo profile that match your activity...
|
||||
# DemoFundation=Manage members of a foundation
|
||||
# DemoFundation2=Manage members and bank account of a foundation
|
||||
# DemoCompanyServiceOnly=Manage a freelance activity selling service only
|
||||
# DemoCompanyShopWithCashDesk=Manage a shop with a cash desk
|
||||
# DemoCompanyProductAndStocks=Manage a small or medium company selling products
|
||||
# DemoCompanyAll=Manage a small or medium company with multiple activities (all main modules)
|
||||
# GoToDemo=Go to demo
|
||||
# CreatedBy=Created by %s
|
||||
# ModifiedBy=Modified by %s
|
||||
# ValidatedBy=Validated by %s
|
||||
# CanceledBy=Canceled by %s
|
||||
# ClosedBy=Closed by %s
|
||||
# FileWasRemoved=File %s was removed
|
||||
# DirWasRemoved=Directory %s was removed
|
||||
# FeatureNotYetAvailableShort=Available in a next version
|
||||
# FeatureNotYetAvailable=Feature not yet available in this version
|
||||
# FeatureExperimental=Experimental feature. Not stable in this version
|
||||
# FeatureDevelopment=Development feature. Not stable in this version
|
||||
# FeaturesSupported=Features supported
|
||||
# Width=Width
|
||||
# Height=Height
|
||||
# Depth=Depth
|
||||
# Top=Top
|
||||
# Bottom=Bottom
|
||||
# Left=Left
|
||||
# Right=Right
|
||||
# CalculatedWeight=Calculated weight
|
||||
# CalculatedVolume=Calculated volume
|
||||
# Weight=Weight
|
||||
# TotalWeight=Total weight
|
||||
# WeightUnitton=tonnes
|
||||
# WeightUnitkg=kg
|
||||
# WeightUnitg=g
|
||||
# WeightUnitmg=mg
|
||||
# WeightUnitpound=pound
|
||||
# Length=Length
|
||||
# LengthUnitm=m
|
||||
# LengthUnitdm=dm
|
||||
# LengthUnitcm=cm
|
||||
# LengthUnitmm=mm
|
||||
# Surface=Area
|
||||
# SurfaceUnitm2=m2
|
||||
# SurfaceUnitdm2=dm2
|
||||
# SurfaceUnitcm2=cm2
|
||||
# SurfaceUnitmm2=mm2
|
||||
# SurfaceUnitfoot2=ft2
|
||||
# SurfaceUnitinch2=in2
|
||||
# Volume=Volume
|
||||
# TotalVolume=Total volume
|
||||
# VolumeUnitm3=m3
|
||||
# VolumeUnitdm3=dm3
|
||||
# VolumeUnitcm3=cm3
|
||||
# VolumeUnitmm3=mm3
|
||||
# VolumeUnitfoot3=ft3
|
||||
# VolumeUnitinch3=in3
|
||||
# VolumeUnitounce=ounce
|
||||
# VolumeUnitlitre=litre
|
||||
# VolumeUnitgallon=gallon
|
||||
# Size=size
|
||||
# SizeUnitm=m
|
||||
# SizeUnitdm=dm
|
||||
# SizeUnitcm=cm
|
||||
# SizeUnitmm=mm
|
||||
# SizeUnitinch=inch
|
||||
# SizeUnitfoot=foot
|
||||
# SizeUnitpoint=point
|
||||
# BugTracker=Bug tracker
|
||||
# SendNewPasswordDesc=This form allows you to request a new password. It will be send to your email address.<br>Change will be effective only after clicking on confirmation link inside this email.<br>Check your email reader software.
|
||||
# BackToLoginPage=Back to login page
|
||||
# AuthenticationDoesNotAllowSendNewPassword=Authentication mode is <b>%s</b>.<br>In this mode, Dolibarr can't know nor change your password.<br>Contact your system administrator if you want to change your password.
|
||||
# EnableGDLibraryDesc=Install or enable GD library with your PHP for use this option.
|
||||
# EnablePhpAVModuleDesc=You need to install a module compatible with your anti-virus. (Clamav : php4-clamavlib ou php5-clamavlib)
|
||||
# ProfIdShortDesc=<b>Prof Id %s</b> is an information depending on third party country.<br>For example, for country <b>%s</b>, it's code <b>%s</b>.
|
||||
# DolibarrDemo=Dolibarr ERP/CRM demo
|
||||
# StatsByNumberOfUnits=Statistics in number of products/services units
|
||||
# StatsByNumberOfEntities=Statistics in number of referring entities
|
||||
# NumberOfProposals=Number of proposals on last 12 month
|
||||
# NumberOfCustomerOrders=Number of customer orders on last 12 month
|
||||
# NumberOfCustomerInvoices=Number of customer invoices on last 12 month
|
||||
# NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
# NumberOfSupplierInvoices=Number of supplier invoices on last 12 month
|
||||
# NumberOfUnitsProposals=Number of units on proposals on last 12 month
|
||||
# NumberOfUnitsCustomerOrders=Number of units on customer orders on last 12 month
|
||||
# NumberOfUnitsCustomerInvoices=Number of units on customer invoices on last 12 month
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
# NumberOfUnitsSupplierInvoices=Number of units on supplier invoices on last 12 month
|
||||
# EMailTextInterventionValidated=The intervention %s has been validated.
|
||||
# EMailTextInvoiceValidated=The invoice %s has been validated.
|
||||
# EMailTextProposalValidated=The proposal %s has been validated.
|
||||
# EMailTextOrderValidated=The order %s has been validated.
|
||||
# EMailTextOrderApproved=The order %s has been approved.
|
||||
# EMailTextOrderApprovedBy=The order %s has been approved by %s.
|
||||
# EMailTextOrderRefused=The order %s has been refused.
|
||||
# EMailTextOrderRefusedBy=The order %s has been refused by %s.
|
||||
# EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
# ImportedWithSet=Importation data set
|
||||
# DolibarrNotification=Automatic notification
|
||||
# ResizeDesc=Enter new width <b>OR</b> new height. Ratio will be kept during resizing...
|
||||
# NewLength=New width
|
||||
# NewHeight=New height
|
||||
# NewSizeAfterCropping=New size after cropping
|
||||
# DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner)
|
||||
# CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is informations on current edited image
|
||||
# ImageEditor=Image editor
|
||||
# YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s.
|
||||
# YouReceiveMailBecauseOfNotification2=This event is the following:
|
||||
# ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start".
|
||||
# ClickHere=Click here
|
||||
# UseAdvancedPerms=Use the advanced permissions of some modules
|
||||
# FileFormat=File format
|
||||
# SelectAColor=Choose a color
|
||||
# AddFiles=Add Files
|
||||
# StartUpload=Start upload
|
||||
# CancelUpload=Cancel upload
|
||||
# FileIsTooBig=Files is too big
|
||||
# PleaseBePatient=Please be patient...
|
||||
# RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
# NewKeyIs=This is your new keys to login
|
||||
# NewKeyWillBe=Your new key to login to software will be
|
||||
# ClickHereToGoTo=Click here to go to %s
|
||||
# YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
# ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
SecurityCode=Security code
|
||||
Calendar=Calendar
|
||||
AddTrip=Add trip
|
||||
Tools=Tools
|
||||
ToolsDesc=This area is dedicated to group miscellaneous tools not available into other menu entries.<br><br>Those tools can be reached from menu on the side.
|
||||
Birthday=Birthday
|
||||
BirthdayDate=Birthday
|
||||
DateToBirth=Date of birth
|
||||
BirthdayAlertOn= birthday alert active
|
||||
BirthdayAlertOff= birthday alert inactive
|
||||
Notify_FICHINTER_VALIDATE=Intervention validated
|
||||
Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_BILL_VALIDATE=Customer invoice validated
|
||||
Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused
|
||||
Notify_ORDER_VALIDATE=Customer order validated
|
||||
Notify_PROPAL_VALIDATE=Customer proposal validated
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
|
||||
Notify_WITHDRAW_CREDIT=Credit withdrawal
|
||||
Notify_WITHDRAW_EMIT=Perform withdrawal
|
||||
Notify_ORDER_SENTBYMAIL=Customer order sent by mail
|
||||
Notify_COMPANY_CREATE=Third party created
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
|
||||
Notify_BILL_PAYED=Customer invoice payed
|
||||
Notify_BILL_CANCEL=Customer invoice canceled
|
||||
Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
|
||||
Notify_ORDER_SUPPLIER_VALIDATE=Supplier order validated
|
||||
Notify_ORDER_SUPPLIER_SENTBYMAIL=Supplier order sent by mail
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Supplier invoice validated
|
||||
Notify_BILL_SUPPLIER_PAYED=Supplier invoice payed
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Supplier invoice sent by mail
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Contract validated
|
||||
Notify_FICHEINTER_VALIDATE=Intervention validated
|
||||
Notify_SHIPPING_VALIDATE=Shipping validated
|
||||
Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
|
||||
Notify_MEMBER_VALIDATE=Member validated
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Member subscribed
|
||||
Notify_MEMBER_RESILIATE=Member resiliated
|
||||
Notify_MEMBER_DELETE=Member deleted
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Number of attached files/documents
|
||||
TotalSizeOfAttachedFiles=Total size of attached files/documents
|
||||
MaxSize=Maximum size
|
||||
AttachANewFile=Attach a new file/document
|
||||
LinkedObject=Linked object
|
||||
Miscellaneous=Miscellaneous
|
||||
NbOfActiveNotifications=Number of notifications
|
||||
PredefinedMailTest=This is a test mail.\nThe two lines are separated by a carriage return.\n\n__SIGNATURE__
|
||||
PredefinedMailTestHtml=This is a <b>test</b> mail (the word test must be in bold).<br>The two lines are separated by a carriage return.<br><br>__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr is a compact ERP/CRM composed by several functional modules. A demo that includes all modules does not mean anything as this never occurs. So, several demo profiles are available.
|
||||
ChooseYourDemoProfil=Choose the demo profile that match your activity...
|
||||
DemoFundation=Manage members of a foundation
|
||||
DemoFundation2=Manage members and bank account of a foundation
|
||||
DemoCompanyServiceOnly=Manage a freelance activity selling service only
|
||||
DemoCompanyShopWithCashDesk=Manage a shop with a cash desk
|
||||
DemoCompanyProductAndStocks=Manage a small or medium company selling products
|
||||
DemoCompanyAll=Manage a small or medium company with multiple activities (all main modules)
|
||||
GoToDemo=Go to demo
|
||||
CreatedBy=Created by %s
|
||||
ModifiedBy=Modified by %s
|
||||
ValidatedBy=Validated by %s
|
||||
CanceledBy=Canceled by %s
|
||||
ClosedBy=Closed by %s
|
||||
FileWasRemoved=File %s was removed
|
||||
DirWasRemoved=Directory %s was removed
|
||||
FeatureNotYetAvailableShort=Available in a next version
|
||||
FeatureNotYetAvailable=Feature not yet available in this version
|
||||
FeatureExperimental=Experimental feature. Not stable in this version
|
||||
FeatureDevelopment=Development feature. Not stable in this version
|
||||
FeaturesSupported=Features supported
|
||||
Width=Width
|
||||
Height=Height
|
||||
Depth=Depth
|
||||
Top=Top
|
||||
Bottom=Bottom
|
||||
Left=Left
|
||||
Right=Right
|
||||
CalculatedWeight=Calculated weight
|
||||
CalculatedVolume=Calculated volume
|
||||
Weight=Weight
|
||||
TotalWeight=Total weight
|
||||
WeightUnitton=tonnes
|
||||
WeightUnitkg=kg
|
||||
WeightUnitg=g
|
||||
WeightUnitmg=mg
|
||||
WeightUnitpound=pound
|
||||
Length=Length
|
||||
LengthUnitm=m
|
||||
LengthUnitdm=dm
|
||||
LengthUnitcm=cm
|
||||
LengthUnitmm=mm
|
||||
Surface=Area
|
||||
SurfaceUnitm2=m2
|
||||
SurfaceUnitdm2=dm2
|
||||
SurfaceUnitcm2=cm2
|
||||
SurfaceUnitmm2=mm2
|
||||
SurfaceUnitfoot2=ft2
|
||||
SurfaceUnitinch2=in2
|
||||
Volume=Volume
|
||||
TotalVolume=Total volume
|
||||
VolumeUnitm3=m3
|
||||
VolumeUnitdm3=dm3
|
||||
VolumeUnitcm3=cm3
|
||||
VolumeUnitmm3=mm3
|
||||
VolumeUnitfoot3=ft3
|
||||
VolumeUnitinch3=in3
|
||||
VolumeUnitounce=ounce
|
||||
VolumeUnitlitre=litre
|
||||
VolumeUnitgallon=gallon
|
||||
Size=size
|
||||
SizeUnitm=m
|
||||
SizeUnitdm=dm
|
||||
SizeUnitcm=cm
|
||||
SizeUnitmm=mm
|
||||
SizeUnitinch=inch
|
||||
SizeUnitfoot=foot
|
||||
SizeUnitpoint=point
|
||||
BugTracker=Bug tracker
|
||||
SendNewPasswordDesc=This form allows you to request a new password. It will be send to your email address.<br>Change will be effective only after clicking on confirmation link inside this email.<br>Check your email reader software.
|
||||
BackToLoginPage=Back to login page
|
||||
AuthenticationDoesNotAllowSendNewPassword=Authentication mode is <b>%s</b>.<br>In this mode, Dolibarr can't know nor change your password.<br>Contact your system administrator if you want to change your password.
|
||||
EnableGDLibraryDesc=Install or enable GD library with your PHP for use this option.
|
||||
EnablePhpAVModuleDesc=You need to install a module compatible with your anti-virus. (Clamav : php4-clamavlib ou php5-clamavlib)
|
||||
ProfIdShortDesc=<b>Prof Id %s</b> is an information depending on third party country.<br>For example, for country <b>%s</b>, it's code <b>%s</b>.
|
||||
DolibarrDemo=Dolibarr ERP/CRM demo
|
||||
StatsByNumberOfUnits=Statistics in number of products/services units
|
||||
StatsByNumberOfEntities=Statistics in number of referring entities
|
||||
NumberOfProposals=Number of proposals on last 12 month
|
||||
NumberOfCustomerOrders=Number of customer orders on last 12 month
|
||||
NumberOfCustomerInvoices=Number of customer invoices on last 12 month
|
||||
NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierInvoices=Number of supplier invoices on last 12 month
|
||||
NumberOfUnitsProposals=Number of units on proposals on last 12 month
|
||||
NumberOfUnitsCustomerOrders=Number of units on customer orders on last 12 month
|
||||
NumberOfUnitsCustomerInvoices=Number of units on customer invoices on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=Number of units on supplier invoices on last 12 month
|
||||
EMailTextInterventionValidated=The intervention %s has been validated.
|
||||
EMailTextInvoiceValidated=The invoice %s has been validated.
|
||||
EMailTextProposalValidated=The proposal %s has been validated.
|
||||
EMailTextOrderValidated=The order %s has been validated.
|
||||
EMailTextOrderApproved=The order %s has been approved.
|
||||
EMailTextOrderApprovedBy=The order %s has been approved by %s.
|
||||
EMailTextOrderRefused=The order %s has been refused.
|
||||
EMailTextOrderRefusedBy=The order %s has been refused by %s.
|
||||
EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
ImportedWithSet=Importation data set
|
||||
DolibarrNotification=Automatic notification
|
||||
ResizeDesc=Enter new width <b>OR</b> new height. Ratio will be kept during resizing...
|
||||
NewLength=New width
|
||||
NewHeight=New height
|
||||
NewSizeAfterCropping=New size after cropping
|
||||
DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner)
|
||||
CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is informations on current edited image
|
||||
ImageEditor=Image editor
|
||||
YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s.
|
||||
YouReceiveMailBecauseOfNotification2=This event is the following:
|
||||
ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start".
|
||||
ClickHere=Click here
|
||||
UseAdvancedPerms=Use the advanced permissions of some modules
|
||||
FileFormat=File format
|
||||
SelectAColor=Choose a color
|
||||
AddFiles=Add Files
|
||||
StartUpload=Start upload
|
||||
CancelUpload=Cancel upload
|
||||
FileIsTooBig=Files is too big
|
||||
PleaseBePatient=Please be patient...
|
||||
RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
NewKeyIs=This is your new keys to login
|
||||
NewKeyWillBe=Your new key to login to software will be
|
||||
ClickHereToGoTo=Click here to go to %s
|
||||
YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
|
||||
##### Calendar common #####
|
||||
# AddCalendarEntry=Add entry in calendar %s
|
||||
# NewCompanyToDolibarr=Company %s added into Dolibarr
|
||||
# ContractValidatedInDolibarr=Contract %s validated in Dolibarr
|
||||
# ContractCanceledInDolibarr=Contract %s canceled in Dolibarr
|
||||
# ContractClosedInDolibarr=Contract %s closed in Dolibarr
|
||||
# PropalClosedSignedInDolibarr=Proposal %s signed in Dolibarr
|
||||
# PropalClosedRefusedInDolibarr=Proposal %s refused in Dolibarr
|
||||
# PropalValidatedInDolibarr=Proposal %s validated in Dolibarr
|
||||
# InvoiceValidatedInDolibarr=Invoice %s validated in Dolibarr
|
||||
# InvoicePaidInDolibarr=Invoice %s changed to paid in Dolibarr
|
||||
# InvoiceCanceledInDolibarr=Invoice %s canceled in Dolibarr
|
||||
# PaymentDoneInDolibarr=Payment %s done in Dolibarr
|
||||
# CustomerPaymentDoneInDolibarr=Customer payment %s done in Dolibarr
|
||||
# SupplierPaymentDoneInDolibarr=Supplier payment %s done in Dolibarr
|
||||
# MemberValidatedInDolibarr=Member %s validated in Dolibarr
|
||||
# MemberResiliatedInDolibarr=Member %s resiliated in Dolibarr
|
||||
# MemberDeletedInDolibarr=Member %s deleted from Dolibarr
|
||||
# MemberSubscriptionAddedInDolibarr=Subscription for member %s added in Dolibarr
|
||||
# ShipmentValidatedInDolibarr=Shipment %s validated in Dolibarr
|
||||
# ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
AddCalendarEntry=Add entry in calendar %s
|
||||
NewCompanyToDolibarr=Company %s added into Dolibarr
|
||||
ContractValidatedInDolibarr=Contract %s validated in Dolibarr
|
||||
ContractCanceledInDolibarr=Contract %s canceled in Dolibarr
|
||||
ContractClosedInDolibarr=Contract %s closed in Dolibarr
|
||||
PropalClosedSignedInDolibarr=Proposal %s signed in Dolibarr
|
||||
PropalClosedRefusedInDolibarr=Proposal %s refused in Dolibarr
|
||||
PropalValidatedInDolibarr=Proposal %s validated in Dolibarr
|
||||
InvoiceValidatedInDolibarr=Invoice %s validated in Dolibarr
|
||||
InvoicePaidInDolibarr=Invoice %s changed to paid in Dolibarr
|
||||
InvoiceCanceledInDolibarr=Invoice %s canceled in Dolibarr
|
||||
PaymentDoneInDolibarr=Payment %s done in Dolibarr
|
||||
CustomerPaymentDoneInDolibarr=Customer payment %s done in Dolibarr
|
||||
SupplierPaymentDoneInDolibarr=Supplier payment %s done in Dolibarr
|
||||
MemberValidatedInDolibarr=Member %s validated in Dolibarr
|
||||
MemberResiliatedInDolibarr=Member %s resiliated in Dolibarr
|
||||
MemberDeletedInDolibarr=Member %s deleted from Dolibarr
|
||||
MemberSubscriptionAddedInDolibarr=Subscription for member %s added in Dolibarr
|
||||
ShipmentValidatedInDolibarr=Shipment %s validated in Dolibarr
|
||||
ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
##### Export #####
|
||||
# Export=Export
|
||||
# ExportsArea=Exports area
|
||||
# AvailableFormats=Available formats
|
||||
# LibraryUsed=Librairy used
|
||||
# LibraryVersion=Version
|
||||
# ExportableDatas=Exportable data
|
||||
# NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions)
|
||||
# ToExport=Export
|
||||
# NewExport=New export
|
||||
Export=Export
|
||||
ExportsArea=Exports area
|
||||
AvailableFormats=Available formats
|
||||
LibraryUsed=Librairy used
|
||||
LibraryVersion=Version
|
||||
ExportableDatas=Exportable data
|
||||
NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions)
|
||||
ToExport=Export
|
||||
NewExport=New export
|
||||
##### External sites #####
|
||||
# ExternalSites=External sites
|
||||
ExternalSites=External sites
|
||||
|
||||
@ -1,22 +1,25 @@
|
||||
# Dolibarr language file - Source file is en_US - paypal
|
||||
# PaypalSetup=PayPal module setup
|
||||
# PaypalDesc=This module offer pages to allow payment on <a href="http://www.paypal.com" target="_blank">PayPal</a> by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...)
|
||||
# PaypalOrCBDoPayment=Pay with credit card or Paypal
|
||||
# PaypalDoPayment=Pay with Paypal
|
||||
# PaypalCBDoPayment=Pay with credit card
|
||||
# PAYPAL_API_SANDBOX=Mode test/sandbox
|
||||
# PAYPAL_API_USER=API username
|
||||
# PAYPAL_API_PASSWORD=API password
|
||||
# PAYPAL_API_SIGNATURE=API signature
|
||||
# PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer payment "integral" (Credit card+Paypal) or "Paypal" only
|
||||
# PaypalModeIntegral=Integral
|
||||
# PaypalModeOnlyPaypal=PayPal only
|
||||
# PAYPAL_CSS_URL=Optionnal Url of CSS style sheet on payment page
|
||||
# ThisIsTransactionId=This is id of transaction: <b>%s</b>
|
||||
# PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail
|
||||
# PAYPAL_IPN_MAIL_ADDRESS=E-mail address for the instant notification of payment (IPN)
|
||||
# PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
# YouAreCurrentlyInSandboxMode=You are currently in the "sandbox" mode
|
||||
# NewPaypalPaymentReceived=New Paypal payment received
|
||||
# NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
# PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
PaypalSetup=PayPal module setup
|
||||
PaypalDesc=This module offer pages to allow payment on <a href="http://www.paypal.com" target="_blank">PayPal</a> by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...)
|
||||
PaypalOrCBDoPayment=Pay with credit card or Paypal
|
||||
PaypalDoPayment=Pay with Paypal
|
||||
PaypalCBDoPayment=Pay with credit card
|
||||
PAYPAL_API_SANDBOX=Mode test/sandbox
|
||||
PAYPAL_API_USER=API username
|
||||
PAYPAL_API_PASSWORD=API password
|
||||
PAYPAL_API_SIGNATURE=API signature
|
||||
PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer payment "integral" (Credit card+Paypal) or "Paypal" only
|
||||
PaypalModeIntegral=Integral
|
||||
PaypalModeOnlyPaypal=PayPal only
|
||||
PAYPAL_CSS_URL=Optionnal Url of CSS style sheet on payment page
|
||||
ThisIsTransactionId=This is id of transaction: <b>%s</b>
|
||||
PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail
|
||||
PAYPAL_IPN_MAIL_ADDRESS=E-mail address for the instant notification of payment (IPN)
|
||||
PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
YouAreCurrentlyInSandboxMode=You are currently in the "sandbox" mode
|
||||
NewPaypalPaymentReceived=New Paypal payment received
|
||||
NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Usuaris y grups
|
||||
Module0Desc=Gestió d'usuaris i grups
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Codi comptable compres
|
||||
AgendaSetup=Mòdul configuració d'accions i agenda
|
||||
PasswordTogetVCalExport=Clau d'autorització vCal export link
|
||||
PastDelayVCalExport=No exportar els esdeveniments de més de
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=Aquest mòdul permet afegir una icona després del número de telèfon de contactes Dolibarr. Un clic en aquesta icona, Truca a un servidor amb un URL que s'indica a continuació. Això pot ser usat per anomenar al sistema centre de Dolibarr que pot trucar al número de telèfon en un sistema SIP, per exemple.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -2,7 +2,6 @@
|
||||
|
||||
# No errors
|
||||
NoErrorCommitIsDone=Sense errors, és vàlid
|
||||
|
||||
# Errors
|
||||
Error=Error
|
||||
Errors=Errors
|
||||
@ -26,11 +25,11 @@ ErrorFromToAccountsMustDiffers=El compte origen i destinació han de ser diferen
|
||||
ErrorBadThirdPartyName=Nom de tercer incorrecte
|
||||
ErrorProdIdIsMandatory=El %s es obligatori
|
||||
ErrorBadCustomerCodeSyntax=La sintaxi del codi client és incorrecta
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Codi client obligatori
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Codi de client ja utilitzat
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Prefix obligatori
|
||||
ErrorUrlNotValid=L'adreça del lloc web és incorrecta
|
||||
ErrorBadSupplierCodeSyntax=La sintaxi del codi proveïdor és incorrecta
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Paràmetres incorrectes
|
||||
ErrorBadValueForParameter=Valor '%s' incorrecte per al paràmetre '%s'
|
||||
ErrorBadImageFormat=La imatge no té un format reconegut
|
||||
ErrorBadDateFormat=El valor '%s' té un format de data no reconegut
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=No es pot escriure a la carpeta %s
|
||||
ErrorFoundBadEmailInFile=Trobada sintaxi incorrecta en email a %s línies en fitxer (exemple linia %s amb email=%s)
|
||||
ErrorUserCannotBeDelete=L'usuari no pot ser eliminat. Potser estigui associat a elements de Dolibarr.
|
||||
@ -66,16 +65,16 @@ ErrorNoValueForCheckBoxType=Els valors de la llista han de ser indicats
|
||||
ErrorNoValueForRadioType=Els valors de la llista han de ser indicats
|
||||
ErrorBadFormatValueList=Els valors de la llista no peudo contenir més d'una coma: <u>%s </u>, però necessita una: clau, valors
|
||||
ErrorFieldCanNotContainSpecialCharacters=El camp <b>%s</b> no ha de contenir caràcters especials
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Mòdul de comptabilitat no activat
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=La configuració Dolibarr-LDAP és incompleta.
|
||||
ErrorLDAPMakeManualTest=S'ha creat un arxiu .ldif a la carpeta %s. Tracti de carregar manualment aquest arxiu des de la línia de comandes per obtenir més informació sobre l'error.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=No es pot canviar una acció al estat no començada si teniu un usuari realitzant de l'acció.
|
||||
ErrorRefAlreadyExists=La referència utilitzada per a la creació ja existeix
|
||||
ErrorPleaseTypeBankTransactionReportName=Introduïu el nom del registre bancari sobre el qual l'escrit està constatat (format AAAAMM o AAAMMJJ)
|
||||
ErrorRecordHasChildren=No es pot esborrar el registre perquè té registrses fills.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Javascript ha d'estar activat per a que aquesta opció pugui utilitzar-se. Per activar/desactivar JavaScript, aneu al menú Inici->Configuració->Entorn.
|
||||
ErrorPasswordsMustMatch=Les 2 contrasenyes indicades s'han de correspondre
|
||||
ErrorContactEMail=S'ha produït un error tècnic. Contacti amb l'administrador al e-mail <b>%s</b>, indicant el codi d'error <b>%s</b> en el seu missatge, o pot també adjuntar una còpia de pantalla d'aquesta pàgina.
|
||||
@ -130,12 +129,12 @@ ErrorToConnectToMysqlCheckInstance=Error de connexió amb el servidor de la base
|
||||
ErrorFailedToAddContact=Error en l'addició del contacte
|
||||
ErrorDateMustBeBeforeToday=La data no pot ser superior a avui
|
||||
ErrorPaymentModeDefinedToWithoutSetup=S'ha establert la forma de pagament al tipus %s però a la configuració del mòdul de factures no s'ha indicat la informació per mostrar aquesta forma de pagament.
|
||||
# ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
# ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Els paràmetres obligatoris de configuració no estan encara definits
|
||||
WarningSafeModeOnCheckExecDir=Atenció, està activada l'opció PHP <b>safe_mode</b>, la comanda ha d'estar dins d'un directori declarat dins del paràmetre php <b>safe_mode_exec_dir</b>.
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Turc
|
||||
Language_sl_SI=Eslovè
|
||||
Language_sv_SV=Suec
|
||||
Language_sv_SE=Suec
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Eslovac
|
||||
Language_th_TH=Tailandès
|
||||
Language_uk_UA=Ucraïnès
|
||||
|
||||
@ -34,7 +34,7 @@ ErrorFailedToOpenFile=Impossible obrir el fitxer %s
|
||||
ErrorCanNotCreateDir=Impossible crear la carpeta %s
|
||||
ErrorCanNotReadDir=Impossible llegir la carpeta %s
|
||||
ErrorConstantNotDefined=Parámetre %s no definit
|
||||
# ErrorUnknown=Unknown error
|
||||
ErrorUnknown=Unknown error
|
||||
ErrorSQL=Error de SQL
|
||||
ErrorLogoFileNotFound=El arxiu logo '%s' no es troba
|
||||
ErrorGoToGlobalSetup=Aneu a la Configuració 'Empresa/Institució' per corregir
|
||||
@ -60,8 +60,8 @@ ErrorNoSocialContributionForSellerCountry=Error, cap tipus de càrrega social de
|
||||
ErrorFailedToSaveFile=Error, el registre del fitxer ha fallat.
|
||||
ErrorOnlyPngJpgSupported=Error, només estan suportats els formats d'imatge jpg i png.
|
||||
ErrorImageFormatNotSupported=El seu PHP no suporta les funcions de conversió d'aquest format d'imatge.
|
||||
# SetDate=Set date
|
||||
# SelectDate=Select a date
|
||||
SetDate=Set date
|
||||
SelectDate=Select a date
|
||||
SeeAlso=Veure també %s
|
||||
BackgroundColorByDefault=Color de fons
|
||||
FileWasNotUploaded=Un arxiu ha estat seleccionat per adjuntar, però encara no ha estat pujat. Feu clic a "Adjuntar aquest arxiu" per a això.
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Informació sobre l'últim accés a la base de dade
|
||||
DolibarrHasDetectedError=Dolibarr ha trobat un error tècnic
|
||||
InformationToHelpDiagnose=Heus aquí la informació que podrà ajudar al diagnòstic
|
||||
MoreInformation=Més informació
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Nota (pública)
|
||||
NotePrivate=Nota (privada)
|
||||
PrecisionUnitIsLimitedToXDecimals=Dolibarr està configurat per limitar la precisió dels preus unitaris a <b>%s </b> decimals.
|
||||
@ -157,7 +158,7 @@ Valid=Validar
|
||||
Approve=Aprovar
|
||||
ReOpen=Reobrir
|
||||
Upload=Enviar arxiu
|
||||
# ToLink=Link
|
||||
ToLink=Link
|
||||
Select=Seleccionar
|
||||
Choose=Escollir
|
||||
ChooseLangage=Triar l'idioma
|
||||
@ -259,8 +260,8 @@ Seconds=Segons
|
||||
Today=Avuí
|
||||
Yesterday=Ahir
|
||||
Tomorrow=Demà
|
||||
# Morning=Morning
|
||||
# Afternoon=Afternoon
|
||||
Morning=Morning
|
||||
Afternoon=Afternoon
|
||||
Quadri=Trimistre
|
||||
MonthOfDay=Mes del dia
|
||||
HourShort=H
|
||||
@ -313,7 +314,7 @@ SubTotal=Subtotal
|
||||
TotalHTShort=Import
|
||||
TotalTTCShort=Total
|
||||
TotalHT=Base imponible
|
||||
# TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalTTC=Total
|
||||
TotalTTCToYourCredit=Total a crèdit
|
||||
TotalVAT=Total IVA
|
||||
@ -393,7 +394,7 @@ OtherInformations=Altres informacions
|
||||
Quantity=Quantitat
|
||||
Qty=Qt.
|
||||
ChangedBy=Modificat per
|
||||
# ReCalculate=Recalculate
|
||||
ReCalculate=Recalculate
|
||||
ResultOk=Èxit
|
||||
ResultKo=Error
|
||||
Reporting=Informe
|
||||
@ -574,7 +575,7 @@ TotalWoman=Total
|
||||
TotalMan=Total
|
||||
NeverReceived=Mai rebut
|
||||
Canceled=Cancel·lat
|
||||
# YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
Color=Color
|
||||
Documents=Documents
|
||||
DocumentsNb=Fitxers adjunts (%s)
|
||||
@ -662,14 +663,14 @@ HomeDashboard=Resum
|
||||
Deductible=Deduïble
|
||||
from=de
|
||||
toward=cap a
|
||||
# Access=Access
|
||||
# HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
# SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
# OriginFileName=Original filename
|
||||
# SetDemandReason=Set source
|
||||
# ViewPrivateNote=View notes
|
||||
# XMoreLines=%s line(s) hidden
|
||||
# PublicUrl=Public URL
|
||||
Access=Access
|
||||
HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
OriginFileName=Original filename
|
||||
SetDemandReason=Set source
|
||||
ViewPrivateNote=View notes
|
||||
XMoreLines=%s line(s) hidden
|
||||
PublicUrl=Public URL
|
||||
|
||||
# Week day
|
||||
Monday=Dilluns
|
||||
|
||||
@ -17,14 +17,15 @@ Notify_ORDER_SUPPLIER_APPROVE=Aprovació comanda a proveïdor
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Rebuig comanda a proveïdor
|
||||
Notify_ORDER_VALIDATE=Validació comanda client
|
||||
Notify_PROPAL_VALIDATE=Validació pressupost client
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Transmissió domiciliació
|
||||
Notify_WITHDRAW_CREDIT=Abonament domiciliació
|
||||
Notify_WITHDRAW_EMIT=Emissió domiciliació
|
||||
Notify_ORDER_SENTBYMAIL=Enviament comanda de client per e-mail
|
||||
Notify_COMPANY_CREATE=Creació tercer
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Enviament pressupost per e-mail
|
||||
Notify_ORDER_SENTBYMAIL=Enviament comanda de client per e-mail
|
||||
Notify_BILL_PAYED=Cobrament factura a client
|
||||
Notify_BILL_CANCEL=Cancel·lació factura a client
|
||||
Notify_BILL_SENTBYMAIL=Enviament factura a client per e-mail
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Enviament comanda a proveïdor per e-mail
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Validació factura de proveïdor
|
||||
Notify_BILL_SUPPLIER_PAYED=Pagament factura de proveïdor
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Enviament factura de proveïdor per e-mail
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Validació contracte
|
||||
Notify_FICHEINTER_VALIDATE=Validació intervenció
|
||||
Notify_SHIPPING_VALIDATE=Validació enviament
|
||||
Notify_SHIPPING_SENTBYMAIL=Enviament expedició per e-mail
|
||||
Notify_MEMBER_VALIDATE=Validació membre
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Afiliació membre
|
||||
Notify_MEMBER_RESILIATE=Baixa membre
|
||||
Notify_MEMBER_DELETE=Eliminació membre
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Número arxius/documents adjunts
|
||||
TotalSizeOfAttachedFiles=Mida total dels arxius/documents adjunts
|
||||
MaxSize=Tamany màxim
|
||||
@ -51,15 +54,15 @@ Miscellaneous=Diversos
|
||||
NbOfActiveNotifications=Número notificacions
|
||||
PredefinedMailTest=Això és un correu de prova.\nLes 2 línies estan separades per un retorn de carro a la línia.
|
||||
PredefinedMailTestHtml=Això és un e-mail de <b>prova</b> (la paraula prova ha d'estar en negreta).<br>Les 2 línies estan separades per un retorn de carro en la línia
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr és un programari per a la gestió de negocis (professionals o associacions), compost de mòduls funcionals independents i opcionals. Una demostració que inclogui tots aquests mòduls no té sentit perquè no utilitzarà tots els mòduls. A més, té disponibles diversos tipus de perfils de demostració.
|
||||
ChooseYourDemoProfil=Seleccioneu el perfil de demostració que millor correspongui a la seva activitat ...
|
||||
DemoFundation=Gestió de membres d'una associació
|
||||
@ -146,7 +149,7 @@ NumberOfSupplierInvoices=Nombre de factures de proveïdors en els darrers 12 mes
|
||||
NumberOfUnitsProposals=Nombre d'unitats en els pressupostos en els darrers 12 mesos
|
||||
NumberOfUnitsCustomerOrders=Nombre d'unitats en les comandes de clients en els darrers 12 mesos
|
||||
NumberOfUnitsCustomerInvoices=Nombre d'unitats en les factures a clients en els darrers 12 mesos
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=Nombre d'unitats en les comandes a proveïdors en els darrers 12 mesos
|
||||
EMailTextInterventionValidated=Fitxa intervenció %s validada
|
||||
EMailTextInvoiceValidated=Factura %s validada
|
||||
@ -178,12 +181,12 @@ StartUpload=Transferir
|
||||
CancelUpload=Cancel·lar transferència
|
||||
FileIsTooBig=L'arxiu és massa gran
|
||||
PleaseBePatient=Preguem esperi uns instants...
|
||||
# RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
# NewKeyIs=This is your new keys to login
|
||||
# NewKeyWillBe=Your new key to login to software will be
|
||||
# ClickHereToGoTo=Click here to go to %s
|
||||
# YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
# ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
NewKeyIs=This is your new keys to login
|
||||
NewKeyWillBe=Your new key to login to software will be
|
||||
ClickHereToGoTo=Click here to go to %s
|
||||
YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
|
||||
##### Calendar common #####
|
||||
AddCalendarEntry=Afegir entrada al calendari
|
||||
|
||||
@ -20,3 +20,6 @@ YouAreCurrentlyInSandboxMode=Actualment es troba en mode "sandbox"
|
||||
NewPaypalPaymentReceived=Nou pagament Paypal rebut
|
||||
NewPaypalPaymentFailed=Nou intent de pagament Paypal sense èxit
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=E-Mail a avisar en cas de pagament (amb èxit o no)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Uživatelé a skupiny
|
||||
Module0Desc=Uživatelé a skupiny řízení
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Nákup účet. kód
|
||||
AgendaSetup=Akce a agenda Nastavení modulu
|
||||
PasswordTogetVCalExport=Klíč povolit export odkaz
|
||||
PastDelayVCalExport=Neexportovat události starší než
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=Tento modul umožňuje přidat ikonu po telefonních čísel. Klepnutím na tuto ikonu bude volat server s konkrétní URL, kterou definujete níže. To lze použít k volání call centra systému z Dolibarr které mohou volat na telefonní číslo SIP systému pro příklad.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -2,7 +2,6 @@
|
||||
|
||||
# No errors
|
||||
NoErrorCommitIsDone=Žádná chyba se zavazujeme
|
||||
|
||||
# Errors
|
||||
Error=Chyba
|
||||
Errors=Chyby
|
||||
@ -26,11 +25,11 @@ ErrorFromToAccountsMustDiffers=Zdrojové a cílové bankovní účty musí být
|
||||
ErrorBadThirdPartyName=Nesprávná hodnota pro třetí strany jménem
|
||||
ErrorProdIdIsMandatory=%s je povinné
|
||||
ErrorBadCustomerCodeSyntax=Bad syntaxe pro zákazníka kódu
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Zákazník požadoval kód
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Zákaznický kód již používán
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Prefix nutné
|
||||
ErrorUrlNotValid=Adresa webové stránky je nesprávná
|
||||
ErrorBadSupplierCodeSyntax=Bad syntaxe pro kód dodavatele
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Bad parametry
|
||||
ErrorBadValueForParameter=Chybná hodnota "%s" pro nastavení parametrů nesprávných "%s"
|
||||
ErrorBadImageFormat=Obrazový soubor nemá podporovaný formát
|
||||
ErrorBadDateFormat=Hodnota "%s" má nesprávný formát data
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Nepodařilo se zapsat do adresáře %s
|
||||
ErrorFoundBadEmailInFile=Nalezeno nesprávné email syntaxe %s řádků v souboru (%s příklad souladu s emailem = %s)
|
||||
ErrorUserCannotBeDelete=Uživatel nemůže být odstraněn. Může být, že je spojena s entitami Dolibarr.
|
||||
@ -66,16 +65,16 @@ ErrorNoValueForCheckBoxType=Vyplňte, prosím, hodnotu checkbox seznamu
|
||||
ErrorNoValueForRadioType=Prosím vyplňte hodnotu pro rozhlasové seznamu
|
||||
ErrorBadFormatValueList=Seznam Hodnota nemůže mít více než jeden přijde: <u>%s,</u> ale potřebujete alespoň jeden: Llave, Valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=Terénní <b>%s</b> nesmí obsahuje speciální znaky.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Ne účetnictví modul aktivován
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr-LDAP shoda není úplná.
|
||||
ErrorLDAPMakeManualTest=. LDIF soubor byl vytvořen v adresáři %s. Zkuste načíst ručně z příkazového řádku získat více informací o chybách.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=Nelze uložit akci s "Statut nezačal", pokud pole "provádí" je také vyplněna.
|
||||
ErrorRefAlreadyExists=Ref používá pro tvorbu již existuje.
|
||||
ErrorPleaseTypeBankTransactionReportName=Prosím zadejte bankovní stvrzenky jmeno, kde se transakce hlášeny (Formát RRRRMM nebo RRRRMMDD)
|
||||
ErrorRecordHasChildren=Nepodařilo se smazat záznamy, protože to má nějaký Childs.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Javascript musí být vypnuta, že tato funkce pracovat. Chcete-li povolit / zakázat Javascript, přejděte do nabídky Home-> Nastavení-> Zobrazení.
|
||||
ErrorPasswordsMustMatch=Oba napsaný hesla se musí shodovat se navzájem
|
||||
ErrorContactEMail=Technické chybě. Prosím, obraťte se na správce, aby e-mailovou <b>%s</b> en poskytovat <b>%s</b> kód chyby ve zprávě, nebo ještě lépe přidáním obrazovky kopii této stránky.
|
||||
@ -133,9 +132,9 @@ ErrorPaymentModeDefinedToWithoutSetup=Platební režim byl nastaven na typ %s al
|
||||
ErrorPHPNeedModule=Chyba, musí mít PHP modul <b>%s</b> nainstalovat tuto funkci používat.
|
||||
ErrorOpenIDSetupNotComplete=Můžete nastavení Dolibarr konfigurační soubor, aby OpenID ověřování, ale URL OpenID služby není definován do stálých %s
|
||||
ErrorWarehouseMustDiffers=Zdrojové a cílové sklady musí se liší
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Povinné parametry jsou dosud stanoveny
|
||||
WarningSafeModeOnCheckExecDir=Pozor, PHP <b>safe_mode</b> volba je na to příkaz musí být uloženy uvnitř adresáře deklarované <b>safe_mode_exec_dir</b> parametrů php.
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Turečtina
|
||||
Language_sl_SI=Slovinština
|
||||
Language_sv_SV=Švédský
|
||||
Language_sv_SE=Švédský
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovenský
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Ukrajinec
|
||||
|
||||
@ -7,7 +7,7 @@ DIRECTION=ltr
|
||||
FONTFORPDF=helvetica
|
||||
FONTSIZEFORPDF=10
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=None
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%m/%d/%Y
|
||||
FormatDateShortInput=%m/%d/%Y
|
||||
FormatDateShortJava=MM/dd/yyyy
|
||||
@ -34,7 +34,7 @@ ErrorFailedToOpenFile=Nepodařilo se otevřít soubor %s
|
||||
ErrorCanNotCreateDir=Nelze vytvořit dir %s
|
||||
ErrorCanNotReadDir=Nelze číst dir %s
|
||||
ErrorConstantNotDefined=Parametr %s není definováno
|
||||
# ErrorUnknown=Unknown error
|
||||
ErrorUnknown=Unknown error
|
||||
ErrorSQL=Chyba SQL
|
||||
ErrorLogoFileNotFound=Logo soubor '%s' nebyl nalezen
|
||||
ErrorGoToGlobalSetup=Přejít do společnosti / Nadace nastavení Chcete-li tento
|
||||
@ -60,8 +60,8 @@ ErrorNoSocialContributionForSellerCountry=Chyba, žádný sociální příspěve
|
||||
ErrorFailedToSaveFile=Chyba se nepodařilo uložit soubor.
|
||||
ErrorOnlyPngJpgSupported=Chyba, pouze. Png a. Jpg image soubor ve formátu jsou podporovány.
|
||||
ErrorImageFormatNotSupported=Vaše PHP nepodporuje funkce, které chcete převést obrázky v tomto formátu.
|
||||
# SetDate=Set date
|
||||
# SelectDate=Select a date
|
||||
SetDate=Set date
|
||||
SelectDate=Select a date
|
||||
SeeAlso=Viz také %s
|
||||
BackgroundColorByDefault=Výchozí barva pozadí
|
||||
FileWasNotUploaded=Soubor vybrán pro připojení, ale ještě nebyl nahrán. Klikněte na "Přiložit soubor" za to.
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Informace pro poslední přístup do databáze omyl
|
||||
DolibarrHasDetectedError=Dolibarr zjistil technickou chybu
|
||||
InformationToHelpDiagnose=Toto jsou informace, které mohou pomoci diagnostické
|
||||
MoreInformation=Více informací
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Poznámka (veřejné)
|
||||
NotePrivate=Poznámka (soukromé)
|
||||
PrecisionUnitIsLimitedToXDecimals=Dolibarr bylo nastavení omezit přesnost jednotkových cen <b>%s</b> desetinných míst.
|
||||
@ -157,7 +158,7 @@ Valid=Platný
|
||||
Approve=Schvalovat
|
||||
ReOpen=Znovu otevřít
|
||||
Upload=Odeslat soubor
|
||||
# ToLink=Link
|
||||
ToLink=Link
|
||||
Select=Vybrat
|
||||
Choose=Vybrat
|
||||
ChooseLangage=Zvolte si prosím jazyk
|
||||
@ -259,8 +260,8 @@ Seconds=Sekundy
|
||||
Today=Dnes
|
||||
Yesterday=Včera
|
||||
Tomorrow=Zítra
|
||||
# Morning=Morning
|
||||
# Afternoon=Afternoon
|
||||
Morning=Morning
|
||||
Afternoon=Afternoon
|
||||
Quadri=Quadri
|
||||
MonthOfDay=Měsíce ode dne
|
||||
HourShort=H
|
||||
@ -313,7 +314,7 @@ SubTotal=Mezisoučet
|
||||
TotalHTShort=Celkem (bez DPH)
|
||||
TotalTTCShort=Celkem (vč. DPH)
|
||||
TotalHT=Celkem (bez daně)
|
||||
# TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalTTC=Celkem (vč. DPH)
|
||||
TotalTTCToYourCredit=Celkem (vč. DPH) na Váš účet
|
||||
TotalVAT=Daň celkem
|
||||
@ -452,30 +453,30 @@ SeptemberMin=Září
|
||||
OctoberMin=Říjen
|
||||
NovemberMin=Listopad
|
||||
DecemberMin=Prosince
|
||||
# Month01=January
|
||||
# Month02=February
|
||||
# Month03=March
|
||||
# Month04=April
|
||||
# Month05=May
|
||||
# Month06=June
|
||||
# Month07=July
|
||||
# Month08=August
|
||||
# Month09=September
|
||||
# Month10=October
|
||||
# Month11=November
|
||||
# Month12=December
|
||||
# MonthShort01=Jan
|
||||
# MonthShort02=Feb
|
||||
# MonthShort03=Mar
|
||||
# MonthShort04=Apr
|
||||
# MonthShort05=May
|
||||
# MonthShort06=Jun
|
||||
# MonthShort07=Jul
|
||||
# MonthShort08=Aug
|
||||
# MonthShort09=Sep
|
||||
# MonthShort10=Oct
|
||||
# MonthShort11=Nov
|
||||
# MonthShort12=Dec
|
||||
Month01=January
|
||||
Month02=February
|
||||
Month03=March
|
||||
Month04=April
|
||||
Month05=May
|
||||
Month06=June
|
||||
Month07=July
|
||||
Month08=August
|
||||
Month09=September
|
||||
Month10=October
|
||||
Month11=November
|
||||
Month12=December
|
||||
MonthShort01=Jan
|
||||
MonthShort02=Feb
|
||||
MonthShort03=Mar
|
||||
MonthShort04=Apr
|
||||
MonthShort05=May
|
||||
MonthShort06=Jun
|
||||
MonthShort07=Jul
|
||||
MonthShort08=Aug
|
||||
MonthShort09=Sep
|
||||
MonthShort10=Oct
|
||||
MonthShort11=Nov
|
||||
MonthShort12=Dec
|
||||
AttachedFiles=Přiložené soubory a dokumenty
|
||||
FileTransferComplete=Soubor byl úspěšně nahrán
|
||||
DateFormatYYYYMM=YYYY-MM
|
||||
@ -574,7 +575,7 @@ TotalWoman=Celkový
|
||||
TotalMan=Celkový
|
||||
NeverReceived=Nikdy nedostal
|
||||
Canceled=Zrušený
|
||||
# YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
Color=Barva
|
||||
Documents=Připojené soubory
|
||||
DocumentsNb=Připojené soubory (%s)
|
||||
@ -637,7 +638,7 @@ IM=Instant messaging
|
||||
NewAttribute=Nový atribut
|
||||
AttributeCode=Atribut kód
|
||||
OptionalFieldsSetup=Extra nastavení atributů
|
||||
# URLPhoto=URL of photo/logo
|
||||
URLPhoto=URL of photo/logo
|
||||
SetLinkToThirdParty=Odkaz na jiné třetí osobě
|
||||
CreateDraft=Vytvořte návrh
|
||||
ClickToEdit=Klepnutím lze upravit
|
||||
@ -647,7 +648,7 @@ ByTown=Do města
|
||||
ByDate=Podle data
|
||||
ByMonthYear=Tím měsíc / rok
|
||||
ByYear=Do roku
|
||||
# ByMonth=By month
|
||||
ByMonth=By month
|
||||
ByDay=Ve dne
|
||||
BySalesRepresentative=Do obchodního zástupce
|
||||
LinkedToSpecificUsers=V souvislosti s konkrétním kontaktu s uživatelem
|
||||
@ -664,12 +665,12 @@ from=z
|
||||
toward=k
|
||||
Access=Přístup
|
||||
HelpCopyToClipboard=Použijte Ctrl + C zkopírujte do schránky
|
||||
# SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
# OriginFileName=Original filename
|
||||
# SetDemandReason=Set source
|
||||
# ViewPrivateNote=View notes
|
||||
# XMoreLines=%s line(s) hidden
|
||||
# PublicUrl=Public URL
|
||||
SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
OriginFileName=Original filename
|
||||
SetDemandReason=Set source
|
||||
ViewPrivateNote=View notes
|
||||
XMoreLines=%s line(s) hidden
|
||||
PublicUrl=Public URL
|
||||
|
||||
# Week day
|
||||
Monday=Pondělí
|
||||
|
||||
@ -6,7 +6,7 @@ Tools=Nástroje
|
||||
ToolsDesc=Tato oblast je určena pro skupiny různých strojů, které nejsou k dispozici na jiné položky menu. <br><br> Tyto nástroje se dostanete z menu na boku.
|
||||
Birthday=Narozeniny
|
||||
BirthdayDate=Narozeniny
|
||||
# DateToBirth=Date of birth
|
||||
DateToBirth=Date of birth
|
||||
BirthdayAlertOn= narozeniny výstraha aktivní
|
||||
BirthdayAlertOff= narozeniny upozornění neaktivní
|
||||
Notify_FICHINTER_VALIDATE=Intervence ověřena
|
||||
@ -17,14 +17,15 @@ Notify_ORDER_SUPPLIER_APPROVE=Dodavatel aby schválila
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Dodavatel aby odmítl
|
||||
Notify_ORDER_VALIDATE=Zákazníka ověřena
|
||||
Notify_PROPAL_VALIDATE=Zákazník návrh ověřena
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Převodovka stažení
|
||||
Notify_WITHDRAW_CREDIT=Kreditní stažení
|
||||
Notify_WITHDRAW_EMIT=Proveďte stažení
|
||||
Notify_ORDER_SENTBYMAIL=Zákazníka zasílaný poštou
|
||||
Notify_COMPANY_CREATE=Třetí strana vytvořena
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Komerční návrh zaslat poštou
|
||||
Notify_ORDER_SENTBYMAIL=Zákazníka zasílaný poštou
|
||||
Notify_BILL_PAYED=Zákazník platí faktury
|
||||
Notify_BILL_CANCEL=Zákazník faktura zrušena
|
||||
Notify_BILL_SENTBYMAIL=Zákazník faktura zaslána poštou
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Dodavatel odeslaná poštou
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Dodavatel fakturu ověřena
|
||||
Notify_BILL_SUPPLIER_PAYED=Dodavatel fakturu platí
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Dodavatel fakturu poštou
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Smlouva ověřena
|
||||
Notify_FICHEINTER_VALIDATE=Intervence ověřena
|
||||
Notify_SHIPPING_VALIDATE=Poštovné ověřena
|
||||
Notify_SHIPPING_SENTBYMAIL=Doručení poštou
|
||||
Notify_MEMBER_VALIDATE=Člen ověřena
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Člen upsaný
|
||||
Notify_MEMBER_RESILIATE=Člen resiliated
|
||||
Notify_MEMBER_DELETE=Člen smazán
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Počet připojených souborů / dokumentů
|
||||
TotalSizeOfAttachedFiles=Celková velikost připojených souborů / dokumentů
|
||||
MaxSize=Maximální rozměr
|
||||
@ -51,15 +54,15 @@ Miscellaneous=Smíšený
|
||||
NbOfActiveNotifications=Počet oznámení
|
||||
PredefinedMailTest=Toto je test e-mailem. \\ NPokud dva řádky jsou odděleny znakem konce řádku. \n\n __ SIGNATURE__
|
||||
PredefinedMailTestHtml=Toto je <b>test-mail</b> (slovo test musí být tučně). <br> Dva řádky jsou odděleny znakem konce řádku. <br><br> __SIGNATURE__
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr je kompaktní ERP / CRM skládá z několika funkčních modulů. Demo, které obsahuje všechny moduly nic neznamená, protože to nikdy nedošlo. Takže několik demo profily jsou k dispozici.
|
||||
ChooseYourDemoProfil=Vyberte demo profil, který odpovídal vašemu činnost ...
|
||||
DemoFundation=Spravovat členy nadace
|
||||
@ -141,12 +144,12 @@ StatsByNumberOfEntities=Statistika v počtu odkazujících subjektů
|
||||
NumberOfProposals=Počet návrhů na poslední 12 měsíců
|
||||
NumberOfCustomerOrders=Počet zákaznických objednávek na poslední 12 měsíců
|
||||
NumberOfCustomerInvoices=Počet zákaznických faktur na poslední 12 měsíců
|
||||
# NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierInvoices=Počet dodavatelských faktur na poslední 12 měsíců
|
||||
NumberOfUnitsProposals=Počet jednotek na návrhy na poslední 12 měsíců
|
||||
NumberOfUnitsCustomerOrders=Počet kusů na zákaznických objednávek na poslední 12 měsíců
|
||||
NumberOfUnitsCustomerInvoices=Počet kusů na zákazníka faktur na poslední 12 měsíců
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=Počet kusů na dodavatelských faktur na poslední 12 měsíců
|
||||
EMailTextInterventionValidated=Zásah %s byl ověřen.
|
||||
EMailTextInvoiceValidated=Faktura %s byl ověřen.
|
||||
|
||||
@ -20,3 +20,6 @@ YouAreCurrentlyInSandboxMode=Ty jsou v současné době v "sandbox" m
|
||||
NewPaypalPaymentReceived=Nový Paypal přijaté platby
|
||||
NewPaypalPaymentFailed=Nový Paypal platební snažil se ale propadal
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=E-mail upozornit po platbě (úspěch nebo ne)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Brugere og grupper
|
||||
Module0Desc=Brugere og grupper forvaltning
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=Aktioner og dagsorden modul opsætning
|
||||
PasswordTogetVCalExport=Nøglen til at tillade eksport link
|
||||
PastDelayVCalExport=Må ikke eksportere begivenhed ældre end
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=Dette modul giver mulighed for at tilføje et ikon efter telefonnummeret på Dolibarr kontakter. Et klik på dette ikon, vil kalde en serveur med en bestemt webadresse du definerer nedenfor. Dette kan bruges til at ringe til et call center-system fra Dolibarr, der kan ringe til telefonnummeret på en SIP-system f.eks.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -1,12 +1,11 @@
|
||||
# Dolibarr language file - Source file is en_US - errors
|
||||
|
||||
# No errors
|
||||
# NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
# Errors
|
||||
Error=Fejl
|
||||
Errors=Fejl
|
||||
# ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorBadEMail=EMail %s er forkert
|
||||
ErrorBadUrl=Url %s er forkert
|
||||
ErrorLoginAlreadyExists=Log ind %s eksisterer allerede.
|
||||
@ -24,13 +23,13 @@ ErrorThisContactIsAlreadyDefinedAsThisType=Denne kontaktperson er allerede defin
|
||||
ErrorCashAccountAcceptsOnlyCashMoney=Denne bankkonto er et kontant-konto, så det accepterer betaling af type cash only.
|
||||
ErrorFromToAccountsMustDiffers=Kilde og mål bankkonti skal være anderledes.
|
||||
ErrorBadThirdPartyName=Bad værdi for tredjeparts navn
|
||||
# ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorProdIdIsMandatory=The %s is mandatory
|
||||
ErrorBadCustomerCodeSyntax=Bad syntaks for kunde-kode
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Kunden kode kræves
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Kunden koden allerede anvendes
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Prefix kræves
|
||||
ErrorUrlNotValid=Adressen på webstedet er forkert
|
||||
ErrorBadSupplierCodeSyntax=Bad syntaks for leverandør-kode
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Bad parametre
|
||||
ErrorBadValueForParameter=Forkert værdi "%s" for parameter forkerte "%s forb.
|
||||
ErrorBadImageFormat=Billede fil har ikke et understøttet format
|
||||
ErrorBadDateFormat=Værdi '%s' har forkert datoformat
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Det lykkedes ikke at skrive i mappen %s
|
||||
ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=Fundet forkerte e-mail-syntaks for %s linjer i filen (f.eks line %s med email= %s)
|
||||
ErrorUserCannotBeDelete=Bruger kan ikke slettes. Kan det er knyttet til den Dolibarr enheder.
|
||||
@ -61,21 +60,21 @@ ErrorUploadBlockedByAddon=Upload blokeret af en PHP / Apache plugin.
|
||||
ErrorFileSizeTooLarge=Filstørrelse er for stor.
|
||||
ErrorSizeTooLongForIntType=Størrelse for lang tid for int type (%s cifre maksimum)
|
||||
ErrorSizeTooLongForVarcharType=Størrelse for lang tid for streng type (%s tegn maksimum)
|
||||
# ErrorNoValueForSelectType=Please fill value for select list
|
||||
# ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
# ErrorNoValueForRadioType=Please fill value for radio list
|
||||
# ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorNoValueForSelectType=Please fill value for select list
|
||||
ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=<b>Felt %s</b> må ikke indeholder specialtegn.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Nr. regnskabspool modul aktiveret
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matchende er ikke komplet.
|
||||
ErrorLDAPMakeManualTest=A. LDIF-fil er blevet genereret i mappen %s. Prøv at indlæse den manuelt fra kommandolinjen for at få flere informationer om fejl.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=Kan ikke gemme en aktion med "vedtægt ikke startes", hvis feltet "udført af" er også fyldt.
|
||||
ErrorRefAlreadyExists=Ref bruges til oprettelse eksisterer allerede.
|
||||
ErrorPleaseTypeBankTransactionReportName=Please type bank modtagelsen navn, hvor transaktionen er rapporteret (Format ÅÅÅÅMM eller ÅÅÅÅMMDD)
|
||||
ErrorRecordHasChildren=Det lykkedes ikke at slette poster, da det har nogle Childs.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Javascript skal ikke være deaktiveret for at have denne funktion virker. For at aktivere / deaktivere Javascript, gå til menu Home-> Setup-> Display.
|
||||
ErrorPasswordsMustMatch=Begge har skrevet passwords skal matche hinanden
|
||||
ErrorContactEMail=En teknisk fejl opstod. Kontakt venligst administrator til at følge e-mail <b>%s</b> da give fejlkoder <b>%s</b> i din besked, eller endnu bedre ved at tilføje en skærm kopi af denne side.
|
||||
@ -117,27 +116,27 @@ ErrorBadValueForCode=Bad værdi former for kode. Prøv igen med en ny værdi ...
|
||||
ErrorBothFieldCantBeNegative=Fields %s og %s kan ikke være både negative
|
||||
ErrorWebServerUserHasNotPermission=Brugerkonto <b>%s</b> anvendes til at udføre web-server har ikke tilladelse til at
|
||||
ErrorNoActivatedBarcode=Ingen stregkode aktiveret typen
|
||||
# ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
# ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
# ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
# ErrorFileRequired=It takes a package Dolibarr file
|
||||
# ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
# ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
# ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
# ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
# ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
# ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
# ErrorFailedToAddContact=Failed to add contact
|
||||
# ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
# ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
# ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
# ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrUnzipFails=Failed to unzip %s with ZipArchive
|
||||
ErrNoZipEngine=No engine to unzip %s file in this PHP
|
||||
ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
|
||||
ErrorFileRequired=It takes a package Dolibarr file
|
||||
ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
|
||||
ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
|
||||
ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
|
||||
ErrorNewValueCantMatchOldValue=New value can't be equal to old one
|
||||
ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToAddContact=Failed to add contact
|
||||
ErrorDateMustBeBeforeToday=The date can not be greater than today
|
||||
ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPHPNeedModule=Error, your PHP must have module <b>%s</b> installed to use this feature.
|
||||
ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
# WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningSafeModeOnCheckExecDir=Advarsel, PHP option <b>safe_mode</b> er på så kommandoen skal opbevares i en mappe angivet af php parameter <b>safe_mode_exec_dir.</b>
|
||||
WarningAllowUrlFopenMustBeOn=Parameter <b>allow_url_fopen</b> skal være slået <b>til</b> i filer <b>php.ini</b> for at have dette modul arbejder fuldstændigt. Du skal ændre denne fil manuelt.
|
||||
WarningBuildScriptNotRunned=<b>Script %s</b> var endnu ikke løb at opbygge grafik, eller der er ingen data at vise.
|
||||
@ -146,9 +145,9 @@ WarningPassIsEmpty=Advarsel, database password er tomt. Det er en sikkerheds hul
|
||||
WarningConfFileMustBeReadOnly=Advarsel, config fil <b>(htdocs / conf / conf.php)</b> kan din blive overskrevet af den web-server. Dette er en alvorlig sikkerhedsrisiko hul. Rediger tilladelserne til filen skal være i read only mode i operativsystemet bruger bruges af web-serveren. Hvis du bruger Windows og FAT format til din disk, skal du vide, at denne fil systemet ikke lader til at tilføje tilladelser på filen, kan så ikke helt sikker.
|
||||
WarningsOnXLines=Advarsler om <b>%s</b> kildelinjer
|
||||
WarningNoDocumentModelActivated=Ingen model, for dokument generation, er blevet aktiveret. En model vil være choosed som standard, indtil du tjekke din modul opsætning.
|
||||
# WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable install/migrate tools by adding a file <b>install.lock</b> into directory <b>%s</b>. Missing this file is a security hole.
|
||||
WarningUntilDirRemoved=Denne advarsel vil forblive aktiv, så længe denne mappe er til stede (vises kun til admin-brugere).
|
||||
# WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
# WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
# WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
# WarningNotRelevant=Irrelevant operation for this dataset
|
||||
WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
|
||||
WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
WarningNotRelevant=Irrelevant operation for this dataset
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Tyrkisk
|
||||
Language_sl_SI=Slovenske
|
||||
Language_sv_SV=Svensk
|
||||
Language_sv_SE=Svensk
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovakisk
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Ukrainsk
|
||||
|
||||
@ -7,7 +7,7 @@ DIRECTION=ltr
|
||||
FONTFORPDF=helvetica
|
||||
FONTSIZEFORPDF=10
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=None
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%d/%m/%Y
|
||||
FormatDateShortInput=%d/%m/%Y
|
||||
FormatDateShortJava=dd/MM/yyyy
|
||||
@ -19,12 +19,12 @@ FormatHourShortDuration=%H:%M
|
||||
FormatDateTextShort=%d %b %Y
|
||||
FormatDateText=%d %B %Y
|
||||
FormatDateHourShort=%d/%m/%Y %H:%M
|
||||
# FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
|
||||
FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
|
||||
FormatDateHourTextShort=%d %b %Y %H:%M
|
||||
FormatDateHourText=%d %B %Y %H:%M
|
||||
DatabaseConnection=Database forbindelse
|
||||
# NoTranslation=No translation
|
||||
# NoRecordFound=No record found
|
||||
NoTranslation=No translation
|
||||
NoRecordFound=No record found
|
||||
NoError=Ingen fejl
|
||||
Error=Fejl
|
||||
ErrorFieldRequired=Felt ' %s' er påkrævet
|
||||
@ -34,7 +34,7 @@ ErrorFailedToOpenFile=Kunne ikke åbne filen %s
|
||||
ErrorCanNotCreateDir=Kan ikke oprette dir %s
|
||||
ErrorCanNotReadDir=Ikke kan læse dir %s
|
||||
ErrorConstantNotDefined=Parameter %s ikke defineret
|
||||
# ErrorUnknown=Unknown error
|
||||
ErrorUnknown=Unknown error
|
||||
ErrorSQL=SQL Fejl
|
||||
ErrorLogoFileNotFound=Logo fil ' %s' blev ikke fundet
|
||||
ErrorGoToGlobalSetup=Gå til 'Company / Foundation "-opsætningen til at løse dette
|
||||
@ -60,16 +60,16 @@ ErrorNoSocialContributionForSellerCountry=Fejl, ingen social bidrag type der er
|
||||
ErrorFailedToSaveFile=Fejl, kunne ikke gemme filen.
|
||||
ErrorOnlyPngJpgSupported=Fejl, kun. Png og. Jpg billedformat filen understøttes.
|
||||
ErrorImageFormatNotSupported=Din PHP understøtter ikke funktioner til at konvertere billeder af dette format.
|
||||
# SetDate=Set date
|
||||
# SelectDate=Select a date
|
||||
# SeeAlso=See also %s
|
||||
SetDate=Set date
|
||||
SelectDate=Select a date
|
||||
SeeAlso=See also %s
|
||||
BackgroundColorByDefault=Standard baggrundsfarve
|
||||
FileWasNotUploaded=En fil er valgt for udlæg, men endnu ikke var uploadet. Klik på "Vedhæft fil" for dette.
|
||||
NbOfEntries=Nb af tilmeldinger
|
||||
GoToWikiHelpPage=Læs online hjælp (har brug for Internet-adgang)
|
||||
GoToHelpPage=Læs hjælpe
|
||||
RecordSaved=Optag gemt
|
||||
# RecordDeleted=Record deleted
|
||||
RecordDeleted=Record deleted
|
||||
LevelOfFeature=Niveau funktionsliste
|
||||
NotDefined=Ikke defineret
|
||||
DefinedAndHasThisValue=Defineret og værdi for
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Oplysninger til sidste database adgang ved en fejl
|
||||
DolibarrHasDetectedError=Dolibarr har opdaget en teknisk fejl
|
||||
InformationToHelpDiagnose=Det er oplysninger, der kan bidrage til at diagnosticere
|
||||
MoreInformation=Mere information
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Note (offentlige)
|
||||
NotePrivate=Note (privat)
|
||||
PrecisionUnitIsLimitedToXDecimals=Dolibarr blev setup at begrænse præcision på enhedspriser <b>til %s</b> decimaler.
|
||||
@ -119,7 +120,7 @@ Activated=Aktiveret
|
||||
Closed=Lukket
|
||||
Closed2=Lukket
|
||||
Enabled=Aktiveret
|
||||
# Deprecated=Deprecated
|
||||
Deprecated=Deprecated
|
||||
Disable=Deaktivere
|
||||
Disabled=Deaktiveret
|
||||
Add=Tilføj
|
||||
@ -146,8 +147,8 @@ ToClone=Klon
|
||||
ConfirmClone=Vælg de data, du vil klone:
|
||||
NoCloneOptionsSpecified=Ingen data at klone defineret.
|
||||
Of=af
|
||||
# Go=Go
|
||||
# Run=Run
|
||||
Go=Go
|
||||
Run=Run
|
||||
CopyOf=Kopi af
|
||||
Show=Vise
|
||||
ShowCardHere=Vis kort
|
||||
@ -157,7 +158,7 @@ Valid=Gyldig
|
||||
Approve=Godkend
|
||||
ReOpen=Re-Open
|
||||
Upload=Send fil
|
||||
# ToLink=Link
|
||||
ToLink=Link
|
||||
Select=Vælg
|
||||
Choose=Vælge
|
||||
ChooseLangage=Vælg dit sprog
|
||||
@ -259,13 +260,13 @@ Seconds=Sekunder
|
||||
Today=I dag
|
||||
Yesterday=I går
|
||||
Tomorrow=I morgen
|
||||
# Morning=Morning
|
||||
# Afternoon=Afternoon
|
||||
Morning=Morning
|
||||
Afternoon=Afternoon
|
||||
Quadri=Quadri
|
||||
MonthOfDay=Måned fra den dato
|
||||
HourShort=H
|
||||
Rate=Hyppighed
|
||||
# UseLocalTax=Include tax
|
||||
UseLocalTax=Include tax
|
||||
Bytes=Bytes
|
||||
KiloBytes=Kilobyte
|
||||
MegaBytes=Megabyte
|
||||
@ -297,8 +298,8 @@ AmountTTCShort=Beløb (inkl. moms)
|
||||
AmountHT=Beløb (efter skat)
|
||||
AmountTTC=Beløb (inkl. moms)
|
||||
AmountVAT=Beløb moms
|
||||
# AmountLT1=Amount tax 2
|
||||
# AmountLT2=Amount tax 3
|
||||
AmountLT1=Amount tax 2
|
||||
AmountLT2=Amount tax 3
|
||||
AmountLT1ES=Beløb RE
|
||||
AmountLT2ES=Beløb IRPF
|
||||
AmountTotal=Samlet beløb
|
||||
@ -313,12 +314,12 @@ SubTotal=Tilsammen
|
||||
TotalHTShort=I alt (netto)
|
||||
TotalTTCShort=I alt (inkl. moms)
|
||||
TotalHT=Total (efter skat)
|
||||
# TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalHTforthispage=Total (net of tax) for this page
|
||||
TotalTTC=I alt (inkl. moms)
|
||||
TotalTTCToYourCredit=I alt (inkl. moms) til dit kredit
|
||||
TotalVAT=Total moms
|
||||
# TotalLT1=Total tax 2
|
||||
# TotalLT2=Total tax 3
|
||||
TotalLT1=Total tax 2
|
||||
TotalLT2=Total tax 3
|
||||
TotalLT1ES=Total RE
|
||||
TotalLT2ES=Total IRPF
|
||||
IncludedVAT=Inkluderet moms
|
||||
@ -338,7 +339,7 @@ FullList=Fuldstændig liste
|
||||
Statistics=Statistik
|
||||
OtherStatistics=Andre statistik
|
||||
Status=Status
|
||||
# ShortInfo=Info.
|
||||
ShortInfo=Info.
|
||||
Ref=Ref.
|
||||
RefSupplier=Ref. leverandør
|
||||
RefPayment=Ref. betaling
|
||||
@ -356,8 +357,8 @@ ActionRunningShort=Started
|
||||
ActionDoneShort=Finished
|
||||
CompanyFoundation=Company / Foundation
|
||||
ContactsForCompany=Kontakter til denne tredjepart
|
||||
# ContactsAddressesForCompany=Contacts/addresses for this third party
|
||||
# AddressesForCompany=Addresses for this third party
|
||||
ContactsAddressesForCompany=Contacts/addresses for this third party
|
||||
AddressesForCompany=Addresses for this third party
|
||||
ActionsOnCompany=Aktioner om denne tredjepart
|
||||
ActionsOnMember=Events Om dette medlem
|
||||
NActions=%s aktioner
|
||||
@ -393,7 +394,7 @@ OtherInformations=Andre informationer
|
||||
Quantity=Mængde
|
||||
Qty=Qty
|
||||
ChangedBy=Ændret ved
|
||||
# ReCalculate=Recalculate
|
||||
ReCalculate=Recalculate
|
||||
ResultOk=Succes
|
||||
ResultKo=Fejl
|
||||
Reporting=Rapportering
|
||||
@ -488,8 +489,8 @@ Report=Rapport
|
||||
Keyword=Mot cl
|
||||
Legend=Legend
|
||||
FillTownFromZip=Udfyld byen fra zip
|
||||
# Fill=Fill
|
||||
# Reset=Reset
|
||||
Fill=Fill
|
||||
Reset=Reset
|
||||
ShowLog=Vis log
|
||||
File=Fil
|
||||
Files=Files
|
||||
@ -558,7 +559,7 @@ GoBack=Gå tilbage
|
||||
CanBeModifiedIfOk=Kan ændres, hvis det er gyldigt
|
||||
CanBeModifiedIfKo=Kan ændres, hvis ikke gyldigt
|
||||
RecordModifiedSuccessfully=Optag modificerede held
|
||||
# RecordsModified=%s records modified
|
||||
RecordsModified=%s records modified
|
||||
AutomaticCode=Automatisk kode
|
||||
NotManaged=Ikke lykkedes
|
||||
FeatureDisabled=Feature handicappede
|
||||
@ -574,7 +575,7 @@ TotalWoman=Total
|
||||
TotalMan=Total
|
||||
NeverReceived=Aldrig modtaget
|
||||
Canceled=Annulleret
|
||||
# YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
|
||||
Color=Color
|
||||
Documents=Forbundet filer
|
||||
DocumentsNb=Linkede filer (%s)
|
||||
@ -589,7 +590,7 @@ ThisLimitIsDefinedInSetup=Dolibarr grænse (Menu hjemme-setup-sikkerhed): %s Kb,
|
||||
NoFileFound=Ingen dokumenter gemmes i denne mappe
|
||||
CurrentUserLanguage=Valgt sprog
|
||||
CurrentTheme=Nuværende tema
|
||||
# CurrentMenuManager=Current menu manager
|
||||
CurrentMenuManager=Current menu manager
|
||||
DisabledModules=Handikappede moduler
|
||||
For=For
|
||||
ForCustomer=For kunden
|
||||
@ -608,7 +609,7 @@ CloneMainAttributes=Klon formål med sine vigtigste attributter
|
||||
PDFMerge=PDF Sammenflet
|
||||
Merge=Merge
|
||||
PrintContentArea=Vis side for at udskrive hovedindhold område
|
||||
# MenuManager=Menu manager
|
||||
MenuManager=Menu manager
|
||||
NoMenu=Ingen sub-menu
|
||||
WarningYouAreInMaintenanceMode=Advarsel, du er i en vedligeholdelses mode, så kun login <b>%s</b> er tilladt at bruge ansøgningen på i øjeblikket.
|
||||
CoreErrorTitle=Systemfejl
|
||||
@ -650,26 +651,26 @@ ByYear=Ved år
|
||||
ByMonth=efter måned
|
||||
ByDay=Ved dag
|
||||
BySalesRepresentative=Ved salgsrepræsentant
|
||||
# LinkedToSpecificUsers=Linked to a particular user contact
|
||||
# DeleteAFile=Delete a file
|
||||
# ConfirmDeleteAFile=Are you sure you want to delete file
|
||||
# NoResults=No results
|
||||
# ModulesSystemTools=Modules tools
|
||||
# Test=Test
|
||||
# Element=Element
|
||||
# NoPhotoYet=No pictures available yet
|
||||
# HomeDashboard=Home summary
|
||||
# Deductible=Deductible
|
||||
# from=from
|
||||
# toward=toward
|
||||
# Access=Access
|
||||
# HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
# SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
# OriginFileName=Original filename
|
||||
# SetDemandReason=Set source
|
||||
# ViewPrivateNote=View notes
|
||||
# XMoreLines=%s line(s) hidden
|
||||
# PublicUrl=Public URL
|
||||
LinkedToSpecificUsers=Linked to a particular user contact
|
||||
DeleteAFile=Delete a file
|
||||
ConfirmDeleteAFile=Are you sure you want to delete file
|
||||
NoResults=No results
|
||||
ModulesSystemTools=Modules tools
|
||||
Test=Test
|
||||
Element=Element
|
||||
NoPhotoYet=No pictures available yet
|
||||
HomeDashboard=Home summary
|
||||
Deductible=Deductible
|
||||
from=from
|
||||
toward=toward
|
||||
Access=Access
|
||||
HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
|
||||
SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
|
||||
OriginFileName=Original filename
|
||||
SetDemandReason=Set source
|
||||
ViewPrivateNote=View notes
|
||||
XMoreLines=%s line(s) hidden
|
||||
PublicUrl=Public URL
|
||||
|
||||
# Week day
|
||||
Monday=Mandag
|
||||
|
||||
@ -10,21 +10,22 @@ DateToBirth=Dato for fødsel
|
||||
BirthdayAlertOn= fødselsdag alarm aktive
|
||||
BirthdayAlertOff= fødselsdag alarm inaktive
|
||||
Notify_FICHINTER_VALIDATE=Valider intervention
|
||||
# Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
|
||||
Notify_BILL_VALIDATE=Valider regningen
|
||||
# Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_BILL_UNVALIDATE=Customer invoice unvalidated
|
||||
Notify_ORDER_SUPPLIER_APPROVE=Leverandør for godkendt
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Leverandør For nægtes
|
||||
Notify_ORDER_VALIDATE=Kundeordre valideret
|
||||
Notify_PROPAL_VALIDATE=Kunde forslag valideret
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Transmission tilbagetrækning
|
||||
Notify_WITHDRAW_CREDIT=Credit tilbagetrækning
|
||||
Notify_WITHDRAW_EMIT=Isue tilbagetrækning
|
||||
Notify_ORDER_SENTBYMAIL=Kundens ordre sendes med posten
|
||||
Notify_COMPANY_CREATE=Tredjeparts oprettet
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Kommercielle forslaget, som sendes med posten
|
||||
Notify_ORDER_SENTBYMAIL=Kundens ordre sendes med posten
|
||||
Notify_BILL_PAYED=Kundens faktura betales
|
||||
Notify_BILL_CANCEL=Kundefaktura aflyst
|
||||
Notify_BILL_SENTBYMAIL=Kundens faktura sendes med posten
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Leverandør orden sendt med posten
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Leverandør faktura valideret
|
||||
Notify_BILL_SUPPLIER_PAYED=Leverandør faktura betales
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Leverandør faktura tilsendt med posten
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Kontrakt valideret
|
||||
Notify_FICHEINTER_VALIDATE=Intervention valideret
|
||||
Notify_SHIPPING_VALIDATE=Forsendelse valideret
|
||||
Notify_SHIPPING_SENTBYMAIL=Shipping sendes med posten
|
||||
Notify_MEMBER_VALIDATE=Medlem valideret
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Medlem abonnerer
|
||||
Notify_MEMBER_RESILIATE=Medlem resiliated
|
||||
Notify_MEMBER_DELETE=Medlem slettet
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Antal vedhæftede filer / dokumenter
|
||||
TotalSizeOfAttachedFiles=Samlede størrelse på vedhæftede filer / dokumenter
|
||||
MaxSize=Maksimumstørrelse
|
||||
@ -51,15 +54,15 @@ Miscellaneous=Miscellaneous
|
||||
NbOfActiveNotifications=Antal anmeldelser
|
||||
PredefinedMailTest=Dette er en test mail. \\ NDen to linjer er adskilt af et linjeskift.
|
||||
PredefinedMailTestHtml=Dette er en <b>test</b> mail (ordet test skal være i fed). <br> De to linjer er adskilt af et linjeskift.
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr er et kompakt ERP / CRM sammensat af flere funktionelle moduler. En demo, som omfatter alle moduler ikke betyder noget, da dette aldrig sker. Så flere demo profiler der er tilgængelige.
|
||||
ChooseYourDemoProfil=Vælg den demo profil, der passer til din virksomhed ...
|
||||
DemoFundation=Administrer medlemmer af en fond
|
||||
@ -107,16 +110,16 @@ SurfaceUnitm2=m2
|
||||
SurfaceUnitdm2=dm2
|
||||
SurfaceUnitcm2=cm2
|
||||
SurfaceUnitmm2=mm2
|
||||
# SurfaceUnitfoot2=ft2
|
||||
# SurfaceUnitinch2=in2
|
||||
SurfaceUnitfoot2=ft2
|
||||
SurfaceUnitinch2=in2
|
||||
Volume=Bind
|
||||
TotalVolume=Samlet volumen
|
||||
VolumeUnitm3=m3
|
||||
VolumeUnitdm3=dm3
|
||||
VolumeUnitcm3=cm3
|
||||
VolumeUnitmm3=mm3
|
||||
# VolumeUnitfoot3=ft3
|
||||
# VolumeUnitinch3=in3
|
||||
VolumeUnitfoot3=ft3
|
||||
VolumeUnitinch3=in3
|
||||
VolumeUnitounce=unse
|
||||
VolumeUnitlitre=liter
|
||||
VolumeUnitgallon=gallon
|
||||
@ -127,7 +130,7 @@ SizeUnitcm=cm
|
||||
SizeUnitmm=mm
|
||||
SizeUnitinch=tomme
|
||||
SizeUnitfoot=mund
|
||||
# SizeUnitpoint=point
|
||||
SizeUnitpoint=point
|
||||
BugTracker=Bug tracker
|
||||
SendNewPasswordDesc=Denne form giver dig mulighed for at anmode om en ny adgangskode. Det vil blive sendt til din email-adresse. <br> Ændring vil kun være effektiv, når de har klikket på bekræftelse linket i denne e-mail. <br> Tjek din e-mail reader software.
|
||||
BackToLoginPage=Tilbage til login-siden
|
||||
@ -141,12 +144,12 @@ StatsByNumberOfEntities=Statistik i antallet af enheder
|
||||
NumberOfProposals=Række forslag på de sidste 12 måneder
|
||||
NumberOfCustomerOrders=Antal kunde ordrer på sidste 12 måneders
|
||||
NumberOfCustomerInvoices=Antal kunde fakturaer på sidste 12 måneders
|
||||
# NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierOrders=Number of supplier orders on last 12 month
|
||||
NumberOfSupplierInvoices=Antal leverandør fakturaer på sidste 12 måneders
|
||||
NumberOfUnitsProposals=Antal enheder på forslag om sidste 12 måneder
|
||||
NumberOfUnitsCustomerOrders=Antallet af enheder på kundens ordrer om sidste 12 måneders
|
||||
NumberOfUnitsCustomerInvoices=Antallet af enheder på kundens fakturaer på sidste 12 måneders
|
||||
# NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
|
||||
NumberOfUnitsSupplierInvoices=Antallet af enheder på leverandør fakturaer på sidste 12 måneders
|
||||
EMailTextInterventionValidated=Intervention %s valideret
|
||||
EMailTextInvoiceValidated=Faktura %s valideret
|
||||
@ -156,7 +159,7 @@ EMailTextOrderApproved=Bestil %s godkendt
|
||||
EMailTextOrderApprovedBy=Bestil %s er godkendt af %s
|
||||
EMailTextOrderRefused=Bestil %s nægtet
|
||||
EMailTextOrderRefusedBy=Bestil %s afvises af %s
|
||||
# EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
EMailTextExpeditionValidated=The shipping %s has been validated.
|
||||
ImportedWithSet=Indførsel datasæt
|
||||
DolibarrNotification=Automatisk anmeldelse
|
||||
ResizeDesc=Indtast nye bredde <b>OR</b> ny højde. Ratio vil blive holdt i resizing ...
|
||||
@ -178,12 +181,12 @@ StartUpload=Start upload
|
||||
CancelUpload=Annuller upload
|
||||
FileIsTooBig=Filer er for store
|
||||
PleaseBePatient=Vær tålmodig ...
|
||||
# RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
# NewKeyIs=This is your new keys to login
|
||||
# NewKeyWillBe=Your new key to login to software will be
|
||||
# ClickHereToGoTo=Click here to go to %s
|
||||
# YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
# ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
|
||||
NewKeyIs=This is your new keys to login
|
||||
NewKeyWillBe=Your new key to login to software will be
|
||||
ClickHereToGoTo=Click here to go to %s
|
||||
YouMustClickToChange=You must however first click on the following link to validate this password change
|
||||
ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
|
||||
|
||||
##### Calendar common #####
|
||||
AddCalendarEntry=Tilføj post i kalenderen %s
|
||||
@ -205,7 +208,7 @@ MemberResiliatedInDolibarr=Medlem %s resiliated i Dolibarr
|
||||
MemberDeletedInDolibarr=Medlem %s slettet fra Dolibarr
|
||||
MemberSubscriptionAddedInDolibarr=Subscription for medlem %s indsættes i Dolibarr
|
||||
ShipmentValidatedInDolibarr=__CONTACTCIVNAME__ \n\n Forsendelse %s valideret i Dolibarr
|
||||
# ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
ShipmentDeletedInDolibarr=Shipment %s deleted from Dolibarr
|
||||
##### Export #####
|
||||
Export=Eksport
|
||||
ExportsArea=Eksport område
|
||||
|
||||
@ -9,14 +9,17 @@ PAYPAL_API_USER=API brugernavn
|
||||
PAYPAL_API_PASSWORD=API kodeord
|
||||
PAYPAL_API_SIGNATURE=API signatur
|
||||
PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Tilbyder betaling "integreret" (kreditkort + Paypal) eller "Paypal" kun
|
||||
# PaypalModeIntegral=Integral
|
||||
# PaypalModeOnlyPaypal=PayPal only
|
||||
PaypalModeIntegral=Integral
|
||||
PaypalModeOnlyPaypal=PayPal only
|
||||
PAYPAL_CSS_URL=Valgfrie Url af CSS stylesheet på betalingssiden
|
||||
ThisIsTransactionId=Dette er id af transaktionen: <b>%s</b>
|
||||
PAYPAL_ADD_PAYMENT_URL=Tilsæt url Paypal betaling, når du sender et dokument med posten
|
||||
PAYPAL_IPN_MAIL_ADDRESS=E-mail-adresse til øjeblikkelig meddelelse om betaling (IPN)
|
||||
# PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
PredefinedMailContentLink=You can click on the secure link below to make your payment (PayPal) if it is not already done.\n\n%s\n\n
|
||||
YouAreCurrentlyInSandboxMode=Du er i øjeblikket i "sandbox" mode
|
||||
# NewPaypalPaymentReceived=New Paypal payment received
|
||||
# NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
# PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
NewPaypalPaymentReceived=New Paypal payment received
|
||||
NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Benutzer und Gruppen
|
||||
Module0Desc=Benutzer- und Gruppenverwaltung
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=Agenda-Moduleinstellungen
|
||||
PasswordTogetVCalExport=Passwort für den VCal-Export
|
||||
PastDelayVCalExport=Keine Termine exportieren die älter sind als
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into Configuration->Dictionary->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=Dieses Modul fügt ein Symbols nach Telefonnummern ein, bei dessen der Server unter der unten definierten URL aufgerufen wird. Diese Funktion können Sie dazu verwenden, ein Callcenter-System innerhalb dolibarrs aufzurufen, das eine Telefonnummer z.B. über ein SIP-System, für Sie wählt.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -1,12 +1,11 @@
|
||||
# Dolibarr language file - Source file is en_US - errors
|
||||
|
||||
# No errors
|
||||
# NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
# Errors
|
||||
Error=Fehler
|
||||
Errors=Fehler
|
||||
# ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorButCommitIsDone=Errors found but we validate despite this
|
||||
ErrorBadEMail=E-Mail %s ist nicht korrekt
|
||||
ErrorBadUrl=URL %s ist nicht korrekt
|
||||
ErrorLoginAlreadyExists=Login %s existiert bereits.
|
||||
@ -26,11 +25,11 @@ ErrorFromToAccountsMustDiffers=Quell- und Zielbankkonto müssen unterschiedlich
|
||||
ErrorBadThirdPartyName=Der für den Partner eingegebene Name ist ungültig.
|
||||
ErrorProdIdIsMandatory=Die %s ist zwingend notwendig
|
||||
ErrorBadCustomerCodeSyntax=Die eingegebene Kundennummer ist unzulässig.
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Kunden Nr. erforderlich
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Diese Kunden-Nr. ist bereits vergeben.
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Präfix erforderlich
|
||||
ErrorUrlNotValid=Die angegebene Website-Adresse ist ungültig
|
||||
ErrorBadSupplierCodeSyntax=Die eingegebene Lieferanten Nr. ist unzulässig.
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Ungültige Werte
|
||||
ErrorBadValueForParameter=Falscher Wert '%s' für falsche Parameter '%s'
|
||||
ErrorBadImageFormat=Imagedatei hat nicht ein unterstütztes Dateiformat
|
||||
ErrorBadDateFormat=Eintrag '%s' hat falsche Datumsformat
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Fehler beim Schreiben in das Verzeichnis %s
|
||||
ErrorFoundBadEmailInFile=Ungültige E-Mail-Adresse in %s Zeilen der Datei gefunden (z.B. Zeile %s mit E-Mail=%s)
|
||||
ErrorUserCannotBeDelete=Dieser Benutzer kann nicht gelöscht werden. Eventuell ist er noch mit einem Partner verknüpft.
|
||||
@ -61,21 +60,21 @@ ErrorUploadBlockedByAddon=Der Upload wurde durch ein PHP Apache-Plugin blockiert
|
||||
ErrorFileSizeTooLarge=Die Größe der gewählten Datei übersteigt den zulässigen Maximalwert.
|
||||
ErrorSizeTooLongForIntType=Die Größe überschreitet das Maximum für den Typ 'int' (%s Ziffern maximal)
|
||||
ErrorSizeTooLongForVarcharType=Die Größe überschreitet das Maximum für den Typ 'string' (%s Zeichen maximal)
|
||||
# ErrorNoValueForSelectType=Please fill value for select list
|
||||
# ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
# ErrorNoValueForRadioType=Please fill value for radio list
|
||||
# ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorNoValueForSelectType=Please fill value for select list
|
||||
ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=Das Feld <b>%s</b> darf keine Sonderzeichen enthalten.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Kein Buchhaltungsmodul aktiviert
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
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=Maßnahmen können nicht mit Status "Nicht begonnen" gespeichert werden, wenn das Feld "Erledigt durch" ausgefüllt ist.
|
||||
ErrorRefAlreadyExists=Die Nr. für den Erstellungsvorgang ist bereits vergeben
|
||||
ErrorPleaseTypeBankTransactionReportName=Bitte geben Sie den Bankbeleg zu dieser Transaktion ein (Format MMYYYY oder TTMMYYYY)
|
||||
ErrorRecordHasChildren=Kann diesen Eintrag nicht löschen da er noch über Kindelemente verfügt.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Diese Funktion erfordert aktiviertes JavaScript. Aktivieren/deaktivieren können Sie Javascript im Menü Übersicht(Home)-> Einstellungen->Anzeige.
|
||||
ErrorPasswordsMustMatch=Die eingegebenen Passwörter müssen identisch sein.
|
||||
ErrorContactEMail=Ein technischer Fehler ist aufgetreten. Bitte kontaktieren Sie Ihren Administrator unter der folgenden E-Mail-Adresse <b>%s</b> und fügen Sie den Fehlercode <b>%s</b> in Ihrer Nachricht ein, oder (noch besser) fügen Sie einen Screenshot dieser Seite als Anhang bei.
|
||||
@ -120,22 +119,22 @@ ErrorNoActivatedBarcode=Kein Barcode aktiviert
|
||||
ErrUnzipFails=Fehler beim Entpacken von %s mit ZipArchive
|
||||
ErrNoZipEngine=Kein Entpackprogramm in PHP gefunden für Datei %s
|
||||
ErrorFileMustBeADolibarrPackage=Die Datei %s muss ein Dolibarr ZIP-Paket sein
|
||||
# ErrorFileRequired=It takes a package Dolibarr file
|
||||
ErrorFileRequired=It takes a package Dolibarr file
|
||||
ErrorPhpCurlNotInstalled=PHP CURL ist nicht installiert, aber erforderlich für Paypal
|
||||
ErrorFailedToAddToMailmanList=Fehler beim Hinzufügen von %s zur Mailman Liste %s oder SPIP basis
|
||||
ErrorFailedToRemoveToMailmanList=Fehler beim Löschen von %s von der Mailman Liste %s oder SPIP basis
|
||||
ErrorNewValueCantMatchOldValue=Neuer Wert darf nicht altem Wert entsprechen
|
||||
# ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
# ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
|
||||
ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
|
||||
ErrorFailedToAddContact=Fehler beim Hinzufügen des Kontakts
|
||||
ErrorDateMustBeBeforeToday=Das Datum kann nicht neuer als heute sein
|
||||
# ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
|
||||
ErrorPHPNeedModule=Fehler, Ihr PHP muss das Modul <b>%s</b> installiert haben um diese Option zu benutzen.
|
||||
ErrorOpenIDSetupNotComplete=Sie haben im Dolibarr Konfigurationsfile eingestellt, dass die Anmeldung mit OpenID möglich ist, aber die URL zum OpenID Service ist noch nicht in %s definiert.
|
||||
# ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Zwingend notwendige Parameter sind noch nicht definiert
|
||||
WarningSafeModeOnCheckExecDir=Achtung: Der PHP-Option <b>safe_mode</b> ist aktiviert, entsprechend müssen Befehle in einem mit <b>safe_mode_exec_dir</b> gekennzeichneten Verzeichnis ausgeführt werden.
|
||||
@ -148,7 +147,7 @@ WarningsOnXLines=Warnhinweise in <b>%s</b> Quellzeilen
|
||||
WarningNoDocumentModelActivated=Für das Erstellen von Dokumenten ist keine Vorlage gewählt. Eine Vorlage wird standardmäßig ausgewählt, bis Sie die Moduleinstellungen angepasst haben.
|
||||
WarningLockFileDoesNotExists=Warnung, wenn Setup abgeschlossen ist, müssen Sie die Installations- und Migration-Tools deaktivieren. Dazu fügen Sie die Datei <b>install.lock</b> dem Verzeichnis <b> %s</b> hinzu. Das fehlend dieser Datei stelle eine Sicherheitslücke dar.
|
||||
WarningUntilDirRemoved=Diese Warnung bleibt so lange bestehen, bis die Sicherheitslücke geschlossen wurde (nur für Administratoren sichtbar).
|
||||
# WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
|
||||
WarningUsingThisBoxSlowDown=Warnung: Der Einsatz dieser Box verlangsamt sämtliche Seiten mit dieser Box spürbar.
|
||||
# WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
# WarningNotRelevant=Irrelevant operation for this dataset
|
||||
WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
|
||||
WarningNotRelevant=Irrelevant operation for this dataset
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Türkisch
|
||||
Language_sl_SI=Slowenisch
|
||||
Language_sv_SV=Schwedisch
|
||||
Language_sv_SE=Schwedisch
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovakisch
|
||||
Language_th_TH=Thailändisch
|
||||
Language_uk_UA=Ukrainisch
|
||||
|
||||
@ -6,8 +6,8 @@ DIRECTION=ltr
|
||||
# To read Chinese pdf with Linux: sudo apt-get install poppler-data
|
||||
FONTFORPDF=helvetica
|
||||
FONTSIZEFORPDF=10
|
||||
SeparatorDecimal=.
|
||||
SeparatorThousand=None
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%d.%m.%Y
|
||||
FormatDateShortInput=%d.%m.%Y
|
||||
FormatDateShortJava=dd.MM.yyyy
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Inhalt des letzten Datenbankzugriffs mit Fehler
|
||||
DolibarrHasDetectedError=Das System hat einen technischen Fehler festgestellt
|
||||
InformationToHelpDiagnose=Diese Informationen könnten bei der Diagnose des Fehlers behilflich sein
|
||||
MoreInformation=Weitere Informationen
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Anmerkung (öffentlich)
|
||||
NotePrivate=Anmerkung (privat)
|
||||
PrecisionUnitIsLimitedToXDecimals=Stückpreisgenauigkeit im System auf <b>%s</b> Dezimalstellen beschränkt.
|
||||
|
||||
@ -17,14 +17,15 @@ Notify_ORDER_SUPPLIER_APPROVE=Lieferantenbestellung freigegeben
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Lieferantenbestellung abgelehnt
|
||||
Notify_ORDER_VALIDATE=Kundenbestellung freigegeben
|
||||
Notify_PROPAL_VALIDATE=Angebot freigegeben
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Transaktion zurückziehen
|
||||
Notify_WITHDRAW_CREDIT=Kreditkarten Rücknahme
|
||||
Notify_WITHDRAW_EMIT=Ausgabe aussetzen
|
||||
Notify_ORDER_SENTBYMAIL=Kundenbestellung mit E-Mail versendet
|
||||
Notify_COMPANY_CREATE=Durch Dritte erstellt
|
||||
Notify_COMPANY_COMPANY_SENTBYMAIL=Von Partnern gesendete Mails
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Angebot mit E-Mail gesendet
|
||||
Notify_ORDER_SENTBYMAIL=Kundenbestellung mit E-Mail versendet
|
||||
Notify_BILL_PAYED=Kundenrechnung bezahlt
|
||||
Notify_BILL_CANCEL=Kundenrechnung storniert
|
||||
Notify_BILL_SENTBYMAIL=Kundenrechnung per E-Mail zugestellt
|
||||
@ -33,11 +34,13 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Lieferantenbestellung per E-Mail zugestellt
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Lieferantenrechnung bestätigen
|
||||
Notify_BILL_SUPPLIER_PAYED=Lieferantenrechnung bezahlt
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Lieferantenrechnung mit E-Mail versendet
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Vertrag gültig
|
||||
Notify_FICHEINTER_VALIDATE=Eingriff freigegeben
|
||||
Notify_SHIPPING_VALIDATE=Versand freigegeben
|
||||
Notify_SHIPPING_SENTBYMAIL=Versanddaten mit E-Mail versendet
|
||||
Notify_MEMBER_VALIDATE=Mitglied bestätigt
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Mitglied hat unterzeichnet
|
||||
Notify_MEMBER_RESILIATE=Mitglied auflösen
|
||||
Notify_MEMBER_DELETE=Mitglied gelöscht
|
||||
|
||||
@ -9,7 +9,7 @@ PAYPAL_API_USER=Paypal Benutzername
|
||||
PAYPAL_API_PASSWORD=Paypal Passwort
|
||||
PAYPAL_API_SIGNATURE=Paypal Signatur
|
||||
PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Bieten Sie Zahlungen "integral" (Kreditkarte + Paypal) an, oder nur per "Paypal"?
|
||||
# PaypalModeIntegral=Integral
|
||||
PaypalModeIntegral=Integral
|
||||
PaypalModeOnlyPaypal=Nur PayPal
|
||||
PAYPAL_CSS_URL=Optionale CSS-Layoutdatei auf der Zahlungsseite
|
||||
ThisIsTransactionId=Die Transaktions ID lautet: <b>%s</b>
|
||||
@ -20,3 +20,6 @@ YouAreCurrentlyInSandboxMode=Sie befinden sich im "Sandbox"-Modus
|
||||
NewPaypalPaymentReceived=Neue PayPal-Zahlung erhalten
|
||||
NewPaypalPaymentFailed=Neue Paypal-Zahlung probiert, aber fehlgeschlagen
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=Status-Email nach einer Zahlung (erfolgreich oder nicht)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=Όλες οι τιμές barcode έχουν αφαιρεθεί
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=Δεν υπάρχει εγγραφή χωρίς ορισμένη τιμή barcode.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Χρήστες & Ομάδες
|
||||
Module0Desc=Διαχείριση χρηστών και ομάδων
|
||||
@ -465,10 +464,10 @@ Module400Name=Έργα
|
||||
Module400Desc=Project management inside other modules
|
||||
Module410Name=Webcalendar
|
||||
Module410Desc=Webcalendar integration
|
||||
Module500Name=Special expenses (tax, social contributions, dividends)
|
||||
Module500Desc=Management of special expenses like taxes, social contribution, dividends and salaries
|
||||
Module510Name=Salaries
|
||||
Module510Desc=Management of empoyees salaries and payments
|
||||
Module500Name=Ειδικά έξοδα (φόροι, εισφορές κοινωνικής ασφάλισης, μερίσματα)
|
||||
Module500Desc=Διαχείριση των ειδικών δαπανών, όπως οι φόροι, κοινωνικές εισφορές, μερίσματα και μισθούς
|
||||
Module510Name=Μισθοί
|
||||
Module510Desc=Διαχείριση μισθών και πληρωμών των υπαλλήλων
|
||||
Module600Name=Notifications
|
||||
Module600Desc=Send notifications by email on some Dolibarr business events to third party contacts
|
||||
Module700Name=Δωρεές
|
||||
@ -515,13 +514,13 @@ Module50200Desc= Ενότητα για να προσφέρει μια σε απ
|
||||
Module54000Name=PrintIPP
|
||||
Module54000Desc=Εκτύπωση μέσω Cups IPP εκτυπωτή.
|
||||
Module55000Name=Ανοικτή Ψηφοφορία
|
||||
Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
|
||||
Module55000Desc=Πρόσθετο για την δημιουργία μιας διαδικτυακής έρευνας (όπως Doodle, Studs, Rdvz, ...)
|
||||
Module59000Name=Margins
|
||||
Module59000Desc=Module to manage margins
|
||||
Module60000Name=Commissions
|
||||
Module60000Desc=Module to manage commissions
|
||||
Module150010Name=Batch number, eat-by date and sell-by date
|
||||
Module150010Desc=batch number, eat-by date and sell-by date management for product
|
||||
Module150010Name=Αριθμός παρτίδας, κατανάλωση μέχρι ημερομηνία και πώληση μέχρι ημερομηνία.
|
||||
Module150010Desc=αριθμός παρτίδας, κατανάλωση μέχρι ημερομηνία και πώληση μέχρι ημερομηνία διαχείρηση για προϊόν
|
||||
Permission11=Read customer invoices
|
||||
Permission12=Create/modify customer invoices
|
||||
Permission13=Unvalidate customer invoices
|
||||
@ -1439,7 +1438,7 @@ AccountancyCodeBuy=Purchase account. code
|
||||
AgendaSetup=Events and agenda module setup
|
||||
PasswordTogetVCalExport=Key to authorize export link
|
||||
PastDelayVCalExport=Do not export event older than
|
||||
AGENDA_USE_EVENT_TYPE=Χρησιμοποιήστε τύπους εκδηλώσεων (διαχείριση σε Διαμόρφωση->λεξικό->llx_c_actioncomm)
|
||||
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
|
||||
##### ClickToDial #####
|
||||
ClickToDialDesc=This module allows to add an icon after phone numbers. A click on this icon will call a server with a particular URL you define below. This can be used to call a call center system from Dolibarr that can call the phone number on a SIP system for example.
|
||||
##### Point Of Sales (CashDesk) #####
|
||||
|
||||
@ -2,7 +2,6 @@
|
||||
|
||||
# No errors
|
||||
NoErrorCommitIsDone=Κανένα σφάλμα
|
||||
|
||||
# Errors
|
||||
Error=Σφάλμα
|
||||
Errors=Λάθη
|
||||
@ -26,11 +25,11 @@ ErrorFromToAccountsMustDiffers=Πηγή και τους στόχους των τ
|
||||
ErrorBadThirdPartyName=Bad αξία για τους υπηκόους τρίτων όνομα κόμματος
|
||||
ErrorProdIdIsMandatory=Το %s είναι υποχρεωτικό
|
||||
ErrorBadCustomerCodeSyntax=Λάθος σύνταξη για τον κωδικό πελάτη
|
||||
# ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorBadBarCodeSyntax=Bad syntax for bar code
|
||||
ErrorCustomerCodeRequired=Κωδικός πελάτη απαιτείτε
|
||||
# ErrorBarCodeRequired=Bar code required
|
||||
ErrorBarCodeRequired=Bar code required
|
||||
ErrorCustomerCodeAlreadyUsed=Ο κωδικός πελάτη που έχει ήδη χρησιμοποιηθεί
|
||||
# ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorBarCodeAlreadyUsed=Bar code already used
|
||||
ErrorPrefixRequired=Απαιτείται Πρόθεμα
|
||||
ErrorUrlNotValid=Η διεύθυνση της ιστοσελίδας είναι λανθασμένη
|
||||
ErrorBadSupplierCodeSyntax=Bad σύνταξη για τον κωδικό προμηθευτή
|
||||
@ -40,7 +39,7 @@ ErrorBadParameters=Λάθος παράμετρος
|
||||
ErrorBadValueForParameter=%s Λάθος τιμή για την παράμετρο λάθος %s
|
||||
ErrorBadImageFormat=Το αρχείο εικόνας δεν έχει μια μορφή που υποστηρίζεται
|
||||
ErrorBadDateFormat=«%s« Αξία έχει λάθος μορφή ημερομηνίας
|
||||
# ErrorWrongDate=Date is not correct!
|
||||
ErrorWrongDate=Date is not correct!
|
||||
ErrorFailedToWriteInDir=Αποτυχία εγγραφής στο %s κατάλογο
|
||||
ErrorFoundBadEmailInFile=Βρέθηκαν εσφαλμένη σύνταξη e-mail για %s γραμμές στο αρχείο (%s γραμμή παράδειγμα με e-mail = %s)
|
||||
ErrorUserCannotBeDelete=Ο χρήστης μπορεί να διαγραφεί. Μπορεί να συνδέεται με Dolibarr οντότητες.
|
||||
@ -66,16 +65,16 @@ ErrorNoValueForCheckBoxType=Please fill value for checkbox list
|
||||
ErrorNoValueForRadioType=Please fill value for radio list
|
||||
ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
|
||||
ErrorFieldCanNotContainSpecialCharacters=<b>%s</b> πεδίου δεν πρέπει να περιέχει ειδικούς χαρακτήρες.
|
||||
# ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
|
||||
ErrorNoAccountancyModuleLoaded=Δεν λογιστική μονάδα ενεργοποιηθεί
|
||||
# ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorExportDuplicateProfil=This profile name already exists for this export set.
|
||||
ErrorLDAPSetupNotComplete=Dolibarr-LDAP αντιστοίχιση δεν είναι πλήρης.
|
||||
ErrorLDAPMakeManualTest=Ένα αρχείο. Ldif έχει δημιουργηθεί σε %s κατάλογο. Προσπαθήστε να το φορτώσετε χειροκίνητα από την γραμμή εντολών για να έχουν περισσότερες πληροφορίες σχετικά με τα σφάλματα.
|
||||
ErrorCantSaveADoneUserWithZeroPercentage=Δεν μπορεί να σώσει μια ενέργεια με "δεν statut ξεκίνησε" αν πεδίο "γίνεται από" είναι επίσης γεμάτη.
|
||||
ErrorRefAlreadyExists=Κωδικός που χρησιμοποιείται για τη δημιουργία ήδη υπάρχει.
|
||||
ErrorPleaseTypeBankTransactionReportName=Πληκτρολογείστε όνομα απόδειξη της τράπεζας όπου συναλλαγής αναφέρεται (Format YYYYMM ή ΕΕΕΕΜΜΗΗ)
|
||||
ErrorRecordHasChildren=Απέτυχε η διαγραφή εγγραφών, δεδομένου ότι έχει κάποια παιδιού.
|
||||
# ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
|
||||
ErrorModuleRequireJavascript=Η Javascript πρέπει να είναι άτομα με ειδικές ανάγκες να μην έχουν αυτή τη δυνατότητα εργασίας. Για να ενεργοποιήσετε / απενεργοποιήσετε το Javascript, πηγαίνετε στο μενού Home-> Setup-> Εμφάνιση.
|
||||
ErrorPasswordsMustMatch=Και οι δύο πληκτρολογήσει τους κωδικούς πρόσβασης πρέπει να ταιριάζουν μεταξύ τους
|
||||
ErrorContactEMail=Ένα τεχνικό σφάλμα. Παρακαλούμε, επικοινωνήστε με τον διαχειριστή για μετά <b>%s</b> email en παρέχουν την <b>%s</b> κωδικό σφάλματος στο μήνυμά σας, ή ακόμα καλύτερα με την προσθήκη ενός αντιγράφου της οθόνης αυτής της σελίδας.
|
||||
@ -133,9 +132,9 @@ ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setu
|
||||
ErrorPHPNeedModule=Σφάλμα, η PHP σας πρέπει να έχει το module <b>%s</ b> εγκατεστημένο για να χρησιμοποιήσετε αυτήν τη δυνατότητα.
|
||||
ErrorOpenIDSetupNotComplete=Μπορείτε να ρυθμίσετε το Dolibarr αρχείο config να επιτρέψει OpenID ταυτότητα, αλλά το URL OpenID υπηρεσίας δεν ορίζεται σε συνεχή %s
|
||||
ErrorWarehouseMustDiffers=Η πηγή και ο στόχος των αποθηκών πρέπει να είναι διαφορετικός.
|
||||
# ErrorBadFormat=Bad format!
|
||||
# ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningSafeModeOnCheckExecDir=Προειδοποίηση, PHP <b>safe_mode</b> επιλογή είναι τόσο εντολή αυτή πρέπει να αποθηκεύονται σε ένα κατάλογο που δηλώνονται από <b>safe_mode_exec_dir</b> παράμετρο php.
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Τούρκικα
|
||||
Language_sl_SI=Σλοβενικά
|
||||
Language_sv_SV=Σουηδικά
|
||||
Language_sv_SE=Σουηδικά
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Σλοβακική
|
||||
Language_th_TH=Ταϊλάνδης
|
||||
Language_uk_UA=Ουκρανικά
|
||||
|
||||
@ -7,7 +7,7 @@ DIRECTION=ltr
|
||||
FONTFORPDF=DejaVuSans
|
||||
FONTSIZEFORPDF=10
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=None
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%d/%m/%Y
|
||||
FormatDateShortInput=%d/%m/%Y
|
||||
FormatDateShortJava=dd/MM/yyyy
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Πληροφορίες για την τελευτα
|
||||
DolibarrHasDetectedError=Το Dolibarr ανίχνευσε τεχνικό σφάλμα
|
||||
InformationToHelpDiagnose=Αυτή η πληροφορία μπορεί να βοηθήσει στη διαγνωστική διαδικασία
|
||||
MoreInformation=Περισσότερς Πληροφορίες
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Σημειώσεις (δημόσιες)
|
||||
NotePrivate=Σημειώσεις (προσωπικές)
|
||||
PrecisionUnitIsLimitedToXDecimals=Το Dolibarr ρυθμίστηκε να περιορίζει την ακρίβεια των τιμών σε <b>%s</b> δεκαδικά ψηφία.
|
||||
|
||||
@ -17,14 +17,15 @@ Notify_ORDER_SUPPLIER_APPROVE=Η παραγγελία προμηθευτή εγ
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Η παραγγελία προμηθευτή απορρίφθηκε
|
||||
Notify_ORDER_VALIDATE=Η παραγγελία πελάτη επικυρώθηκε
|
||||
Notify_PROPAL_VALIDATE=Η εμπ. πρόταση πελάτη επικυρώθηκε
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Μετάδοση απόσυρση
|
||||
Notify_WITHDRAW_CREDIT=Πιστωτικές απόσυρση
|
||||
Notify_WITHDRAW_EMIT=Εκτελέστε την απόσυρση
|
||||
Notify_ORDER_SENTBYMAIL=Για πελατών αποστέλλονται με το ταχυδρομείο
|
||||
Notify_COMPANY_CREATE=Τρίτο κόμμα δημιουργήθηκε
|
||||
# Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Εμπορικές προτάσεις που αποστέλλονται ταχυδρομικώς
|
||||
Notify_ORDER_SENTBYMAIL=Για πελατών αποστέλλονται με το ταχυδρομείο
|
||||
Notify_BILL_PAYED=Τιμολογίου Πελατών payed
|
||||
Notify_BILL_CANCEL=Τιμολογίου Πελατών ακυρώσεις
|
||||
Notify_BILL_SENTBYMAIL=Τιμολογίου Πελατών σταλούν ταχυδρομικώς
|
||||
@ -33,15 +34,17 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Για Προμηθευτής σταλούν τ
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Τιμολόγιο Προμηθευτή επικυρωθεί
|
||||
Notify_BILL_SUPPLIER_PAYED=Τιμολόγιο Προμηθευτή payed
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Τιμολόγιο Προμηθευτή σταλούν ταχυδρομικώς
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Επικυρωμένη σύμβαση
|
||||
Notify_FICHEINTER_VALIDATE=Επικυρωθεί Παρέμβαση
|
||||
Notify_SHIPPING_VALIDATE=Αποστολή επικυρωθεί
|
||||
Notify_SHIPPING_SENTBYMAIL=Αποστολές αποστέλλονται με το ταχυδρομείο
|
||||
Notify_MEMBER_VALIDATE=Επικυρωθεί μέλη
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Εγγραφεί μέλος
|
||||
Notify_MEMBER_RESILIATE=Resiliated μέλη
|
||||
Notify_MEMBER_DELETE=Διαγράφεται μέλη
|
||||
# Notify_PROJECT_CREATE=Project creation
|
||||
Notify_PROJECT_CREATE=Project creation
|
||||
NbOfAttachedFiles=Πλήθος επισυναπτώμενων αρχείων/εγγράφων
|
||||
TotalSizeOfAttachedFiles=Συνολικό μέγεθος επισυναπτώμενων αρχείων/εγγράφων
|
||||
MaxSize=Μέγιστο μέγεθος
|
||||
@ -51,15 +54,15 @@ Miscellaneous=Διάφορα
|
||||
NbOfActiveNotifications=Πλήθος ειδοποιήσεων
|
||||
PredefinedMailTest=Δοκιμαστικο mail.\nΟι δύο γραμμές είναι χωρισμένες με carriage return.
|
||||
PredefinedMailTestHtml=Αυτό είναι ένα μήνυμα <b>δοκιμής</b> (η δοκιμή λέξη πρέπει να είναι με έντονα γράμματα). <br> Οι δύο γραμμές που χωρίζονται με ένα χαρακτήρα επαναφοράς.
|
||||
# PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
# PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
|
||||
PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
|
||||
DemoDesc=Dolibarr είναι ένα συμπαγές ERP / CRM αποτελείται από διάφορες λειτουργικές ενότητες. Ένα demo που περιλαμβάνει όλες τις ενότητες δεν σημαίνει τίποτα, όπως ποτέ δεν συμβαίνει αυτό. Έτσι, πολλά προφίλ επίδειξη είναι διαθέσιμα.
|
||||
ChooseYourDemoProfil=Επιλέξτε το προφίλ που ταιριάζει με επίδειξη δραστηριότητά σας ...
|
||||
DemoFundation=Διαχειριστείτε τα μέλη του ιδρύματος
|
||||
|
||||
@ -20,3 +20,6 @@ YouAreCurrentlyInSandboxMode=Είστε αυτήν την περίοδο στο
|
||||
NewPaypalPaymentReceived=Νέα πληρωμή Paypal που λήφθηκαν
|
||||
NewPaypalPaymentFailed=Νέα πληρωμή Paypal προσπάθησαν αλλά απέτυχαν
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=Στείλτε e-mail προειδοποιήσεις μετά από πληρωμή (επιτυχία ή όχι)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -1,7 +1,7 @@
|
||||
# Dolibarr language file - en_AU - main
|
||||
# This file contains only line that must differs from en_US file
|
||||
SeparatorDecimal=.
|
||||
SeparatorThousand=,
|
||||
# This file contains only lines that must differs from en_US file
|
||||
SeparatorDecimal=,
|
||||
SeparatorThousand=Space
|
||||
FormatDateShort=%d/%m/%Y
|
||||
FormatDateShortInput=%d/%m/%Y
|
||||
FormatDateShortJava=dd/MM/yyyy
|
||||
|
||||
@ -389,7 +389,6 @@ AllBarcodeReset=All barcode values have been removed
|
||||
NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
|
||||
NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
|
||||
|
||||
|
||||
# Modules
|
||||
Module0Name=Users & groups
|
||||
Module0Desc=Users and groups management
|
||||
|
||||
@ -315,7 +315,6 @@ PaymentConditionShortPT_5050=50-50
|
||||
PaymentConditionPT_5050=50%% in advance, 50%% on delivery
|
||||
FixAmount=Fix amount
|
||||
VarAmount=Variable amount (%% tot.)
|
||||
|
||||
# PaymentType
|
||||
PaymentTypeVIR=Bank deposit
|
||||
PaymentTypeShortVIR=Bank deposit
|
||||
|
||||
@ -37,4 +37,4 @@ ShowCompany=Show company
|
||||
ShowStock=Show warehouse
|
||||
DeleteArticle=Click to remove this article
|
||||
FilterRefOrLabelOrBC=Search (Ref/Label)
|
||||
UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that use POS need to have permission to edit stock.
|
||||
UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that use POS need to have permission to edit stock.
|
||||
|
||||
@ -405,4 +405,4 @@ OutstandingBill=Max. for outstanding bill
|
||||
OutstandingBillReached=Reached max. for outstanding bill
|
||||
MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for supplier code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0.
|
||||
LeopardNumRefModelDesc=The code is free. This code can be modified at any time.
|
||||
ManagingDirectors=Manager(s) name (CEO, director, president...)
|
||||
ManagingDirectors=Manager(s) name (CEO, director, president...)
|
||||
|
||||
@ -96,4 +96,4 @@ TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up cont
|
||||
TypeContact_contrat_external_BILLING=Billing customer contact
|
||||
TypeContact_contrat_external_CUSTOMER=Follow-up customer contact
|
||||
TypeContact_contrat_external_SALESREPSIGN=Signing contract customer contact
|
||||
Error_CONTRACT_ADDON_NotDefined=Constant CONTRACT_ADDON not defined
|
||||
Error_CONTRACT_ADDON_NotDefined=Constant CONTRACT_ADDON not defined
|
||||
|
||||
@ -1,22 +1,16 @@
|
||||
# Dolibarr language file - Source file is en_US - cron
|
||||
#
|
||||
# About page
|
||||
#
|
||||
About = About
|
||||
CronAbout = About Cron
|
||||
CronAboutPage = Cron about page
|
||||
|
||||
#
|
||||
# Right
|
||||
#
|
||||
Permission23101 = Read Scheduled task
|
||||
Permission23102 = Create/update Scheduled task
|
||||
Permission23103 = Delete Scheduled task
|
||||
Permission23104 = Execute Scheduled task
|
||||
|
||||
#
|
||||
# Admin
|
||||
#
|
||||
CronSetup= Scheduled job management setup
|
||||
URLToLaunchCronJobs=URL to check and launch cron jobs if required
|
||||
OrToLaunchASpecificJob=Or to check and launch a specific job
|
||||
@ -24,20 +18,12 @@ KeyForCronAccess=Security key for URL to launch cron jobs
|
||||
FileToLaunchCronJobs=Command line to launch cron jobs
|
||||
CronExplainHowToRunUnix=On Unix environment you should use crontab to run Command line each minutes
|
||||
CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run Command line each minutes
|
||||
|
||||
|
||||
#
|
||||
# Menu
|
||||
#
|
||||
CronJobs=Scheduled jobs
|
||||
CronListActive= List of active jobs
|
||||
CronListInactive= List of disabled jobs
|
||||
CronListActive= List of scheduled jobs
|
||||
|
||||
|
||||
#
|
||||
# Page list
|
||||
#
|
||||
CronDateLastRun=Last run
|
||||
CronLastOutput=Last run output
|
||||
CronLastResult=Last result code
|
||||
@ -70,10 +56,7 @@ CronLabel=Description
|
||||
CronNbRun=Nb. launch
|
||||
CronEach=Every
|
||||
JobFinished=Job launched and finished
|
||||
|
||||
#
|
||||
#Page card
|
||||
#
|
||||
CronAdd= Add jobs
|
||||
CronHourStart= Start Hour and date of task
|
||||
CronEvery= And execute task each
|
||||
@ -95,20 +78,12 @@ CronObjectHelp=The object name to load. <BR> For exemple to fetch method of Doli
|
||||
CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of method is is <i>fecth</i>
|
||||
CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
|
||||
CronCommandHelp=The system command line to execute.
|
||||
|
||||
#
|
||||
# Info
|
||||
#
|
||||
CronInfoPage=Information
|
||||
|
||||
|
||||
#
|
||||
# Common
|
||||
#
|
||||
CronType=Task type
|
||||
CronType_method=Call method of a Dolibarr Class
|
||||
CronType_command=Shell command
|
||||
CronMenu=Cron
|
||||
CronCannotLoadClass=Cannot load class %s or object %s
|
||||
|
||||
UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Modules tools - Job list" to see and edit scheduled jobs.
|
||||
|
||||
@ -23,4 +23,4 @@ GoodStatusDeclaration=Have received the goods above in good condition,
|
||||
Deliverer=Deliverer :
|
||||
Sender=Sender
|
||||
Recipient=Recipient
|
||||
ErrorStockIsNotEnough=There's not enough stock
|
||||
ErrorStockIsNotEnough=There's not enough stock
|
||||
|
||||
@ -253,7 +253,6 @@ CivilityMR=Mr.
|
||||
CivilityMLE=Ms.
|
||||
CivilityMTRE=Master
|
||||
CivilityDR=Doctor
|
||||
|
||||
##### Currencies #####
|
||||
Currencyeuros=Euros
|
||||
CurrencyAUD=AU Dollars
|
||||
@ -290,10 +289,8 @@ CurrencyXOF=CFA Francs BCEAO
|
||||
CurrencySingXOF=CFA Franc BCEAO
|
||||
CurrencyXPF=CFP Francs
|
||||
CurrencySingXPF=CFP Franc
|
||||
|
||||
CurrencyCentSingEUR=cent
|
||||
CurrencyThousandthSingTND=thousandth
|
||||
|
||||
#### Input reasons #####
|
||||
DemandReasonTypeSRC_INTE=Internet
|
||||
DemandReasonTypeSRC_CAMP_MAIL=Mailing campaign
|
||||
@ -306,7 +303,6 @@ DemandReasonTypeSRC_WOM=Word of mouth
|
||||
DemandReasonTypeSRC_PARTNER=Partner
|
||||
DemandReasonTypeSRC_EMPLOYEE=Employee
|
||||
DemandReasonTypeSRC_SPONSORING=Sponsorship
|
||||
|
||||
#### Paper formats ####
|
||||
PaperFormatEU4A0=Format 4A0
|
||||
PaperFormatEU2A0=Format 2A0
|
||||
|
||||
@ -29,4 +29,4 @@ LastModifiedDonations=Last %s modified donations
|
||||
SearchADonation=Search a donation
|
||||
DonationRecipient=Donation recipient
|
||||
ThankYou=Thank You
|
||||
IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount
|
||||
IConfirmDonationReception=The recipient declare reception, as a donation, of the following amount
|
||||
|
||||
@ -2,7 +2,6 @@
|
||||
|
||||
# No errors
|
||||
NoErrorCommitIsDone=No error, we commit
|
||||
|
||||
# Errors
|
||||
Error=Error
|
||||
Errors=Errors
|
||||
@ -135,7 +134,7 @@ ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authe
|
||||
ErrorWarehouseMustDiffers=Source and target warehouses must differs
|
||||
ErrorBadFormat=Bad format!
|
||||
ErrorPaymentDateLowerThanInvoiceDate=Payment date (%s) cant' be before invoice date (%s) for invoice %s.
|
||||
|
||||
ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
|
||||
# Warnings
|
||||
WarningMandatorySetupNotComplete=Mandatory setup parameters are not yet defined
|
||||
WarningSafeModeOnCheckExecDir=Warning, PHP option <b>safe_mode</b> is on so command must be stored inside a directory declared by php parameter <b>safe_mode_exec_dir</b>.
|
||||
|
||||
@ -1,4 +1,4 @@
|
||||
# Dolibarr language file - Source file is en_US - externalsite
|
||||
ExternalSiteSetup=Setup link to external website
|
||||
ExternalSiteURL=External Site URL
|
||||
ExternalSiteModuleNotComplete=Module ExternalSite was not configured properly.
|
||||
ExternalSiteModuleNotComplete=Module ExternalSite was not configured properly.
|
||||
|
||||
@ -25,4 +25,4 @@ LinkToGoldMember=You can call one of the coach preselected by Dolibarr for your
|
||||
PossibleLanguages=Supported languages
|
||||
MakeADonation=Help Dolibarr project, make a donation
|
||||
SubscribeToFoundation=Help Dolibarr project, subscribe to the foundation
|
||||
SeeOfficalSupport=For official Dolibarr support in your language: <br><b><a href="%s" target="_blank">%s</a></b>
|
||||
SeeOfficalSupport=For official Dolibarr support in your language: <br><b><a href="%s" target="_blank">%s</a></b>
|
||||
|
||||
@ -34,7 +34,6 @@ ReturnCP=Return to previous page
|
||||
ErrorUserViewCP=You are not authorized to read this request for holidays.
|
||||
InfosCP=Information of the demand of holidays
|
||||
InfosWorkflowCP=Information Workflow
|
||||
DateCreateCP=Creation date
|
||||
RequestByCP=Requested by
|
||||
TitreRequestCP=Sheet of holidays
|
||||
NbUseDaysCP=Number of days of holidays consumed
|
||||
@ -130,7 +129,6 @@ ErrorMailNotSend=An error occurred while sending email:
|
||||
NoCPforMonth=No leave this month.
|
||||
nbJours=Number days
|
||||
TitleAdminCP=Configuration of Holidays
|
||||
|
||||
#Messages
|
||||
Hello=Hello
|
||||
HolidaysToValidate=Validate holidays
|
||||
@ -143,7 +141,6 @@ HolidaysRefused=Denied holidays
|
||||
HolidaysRefusedBody=Your request for holidays for %s to %s has been denied for the following reason :
|
||||
HolidaysCanceled=Canceled holidays
|
||||
HolidaysCanceledBody=Your request for holidays for %s to %s has been canceled.
|
||||
|
||||
Permission20001=Read/create/modify their holidays
|
||||
Permission20002=Read/modify all requests of holidays
|
||||
Permission20003=Delete their holidays requests
|
||||
|
||||
@ -158,7 +158,6 @@ ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert
|
||||
|
||||
#########
|
||||
# upgrade
|
||||
#########
|
||||
MigrationFixData=Fix for denormalized data
|
||||
MigrationOrder=Data migration for customer's orders
|
||||
MigrationSupplierOrder=Data migration for supplier's orders
|
||||
|
||||
@ -39,4 +39,4 @@ ArcticNumRefModelError=Failed to activate
|
||||
PacificNumRefModelDesc1=Return numero with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
|
||||
PacificNumRefModelError=An intervention card starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module.
|
||||
PrintProductsOnFichinter=Print products on intervention card
|
||||
PrintProductsOnFichinterDetails=forinterventions generated from orders
|
||||
PrintProductsOnFichinterDetails=forinterventions generated from orders
|
||||
|
||||
@ -58,6 +58,7 @@ Language_tr_TR=Turkish
|
||||
Language_sl_SI=Slovenian
|
||||
Language_sv_SV=Swedish
|
||||
Language_sv_SE=Swedish
|
||||
Language_sq_AL=Albanian
|
||||
Language_sk_SK=Slovakian
|
||||
Language_th_TH=Thai
|
||||
Language_uk_UA=Ukrainian
|
||||
|
||||
@ -26,4 +26,4 @@ GroupSynchronized=Group synchronized
|
||||
MemberSynchronized=Member synchronized
|
||||
ContactSynchronized=Contact synchronized
|
||||
ForceSynchronize=Force synchronizing Dolibarr -> LDAP
|
||||
ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility.
|
||||
ErrorFailedToReadLDAP=Failed to read LDAP database. Check LDAP module setup and database accessibility.
|
||||
|
||||
@ -24,4 +24,4 @@ DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP
|
||||
DeleteIntoSpipError=Failed to suppress the user from SPIP
|
||||
SPIPConnectionFailed=Failed to connect to SPIP
|
||||
SuccessToAddToMailmanList=Add of %s to mailman list %s or SPIP database done
|
||||
SuccessToRemoveToMailmanList=Removal of %s from mailman list %s or SPIP database done
|
||||
SuccessToRemoveToMailmanList=Removal of %s from mailman list %s or SPIP database done
|
||||
|
||||
@ -99,8 +99,6 @@ MailingModuleDescContactsByCompanyCategory=Contacts/addresses of third parties (
|
||||
MailingModuleDescContactsByCategory=Contacts/addresses of third parties by category
|
||||
MailingModuleDescMembersCategories=Foundation members (by categories)
|
||||
MailingModuleDescContactsByFunction=Contacts/addresses of third parties (by position/function)
|
||||
|
||||
|
||||
LineInFile=Line %s in file
|
||||
RecipientSelectionModules=Defined requests for recipient's selection
|
||||
MailSelectedRecipients=Selected recipients
|
||||
@ -128,7 +126,6 @@ TagCheckMail=Track mail opening
|
||||
TagUnsubscribe=Unsubscribe link
|
||||
TagSignature=Signature sending user
|
||||
TagMailtoEmail=Recipient EMail
|
||||
|
||||
# Module Notifications
|
||||
Notifications=Notifications
|
||||
NoNotificationsWillBeSent=No email notifications are planned for this event and company
|
||||
|
||||
@ -94,6 +94,7 @@ InformationLastAccessInError=Information for last database access in error
|
||||
DolibarrHasDetectedError=Dolibarr has detected a technical error
|
||||
InformationToHelpDiagnose=This is information that can help diagnostic
|
||||
MoreInformation=More information
|
||||
TechnicalInformation=Technical information
|
||||
NotePublic=Note (public)
|
||||
NotePrivate=Note (private)
|
||||
PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to <b>%s</b> decimals.
|
||||
|
||||
@ -10,24 +10,18 @@ MarkRate=Mark rate
|
||||
DisplayMarginRates=Display margin rates
|
||||
DisplayMarkRates=Display mark rates
|
||||
InputPrice=Input price
|
||||
|
||||
margin=Profit margins management
|
||||
margesSetup=Profit margins management setup
|
||||
|
||||
MarginDetails=Margin details
|
||||
|
||||
ProductMargins=Product margins
|
||||
CustomerMargins=Customer margins
|
||||
SalesRepresentativeMargins=Sales representative margins
|
||||
|
||||
ProductService=Product or Service
|
||||
AllProducts=All products and services
|
||||
ChooseProduct/Service=Choose product or service
|
||||
|
||||
StartDate=Start date
|
||||
EndDate=End date
|
||||
Launch=Start
|
||||
|
||||
ForceBuyingPriceIfNull=Force buying price if null
|
||||
ForceBuyingPriceIfNullDetails=if "ON", margin will be zero on line (buying price = selling price), otherwise ("OFF"), marge will be equal to selling price (buying price = 0)
|
||||
MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts
|
||||
@ -35,16 +29,13 @@ UseDiscountAsProduct=As a product
|
||||
UseDiscountAsService=As a service
|
||||
UseDiscountOnTotal=On subtotal
|
||||
MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation.
|
||||
|
||||
MARGIN_TYPE=Margin type
|
||||
MargeBrute=Raw margin
|
||||
MargeNette=Net margin
|
||||
MARGIN_TYPE_DETAILS=Raw margin : Selling price - Buying price<br/>Net margin : Selling price - Cost price
|
||||
|
||||
CostPrice=Cost price
|
||||
BuyingCost=Cost price
|
||||
UnitCharges=Unit charges
|
||||
Charges=Charges
|
||||
|
||||
AgentContactType=Commercial agent contact type
|
||||
AgentContactTypeDetails=Défine what contact type (linked on invoices) will be used for margin report by commercial agents
|
||||
|
||||
@ -86,7 +86,6 @@ SubscriptionNotReceivedShort=Never received
|
||||
ListOfSubscriptions=List of subscriptions
|
||||
SendCardByMail=Send card by Email
|
||||
AddMember=Add member
|
||||
MemberType=Member type
|
||||
NoTypeDefinedGoToSetup=No member types defined. Go to menu "Members types"
|
||||
NewMemberType=New member type
|
||||
WelcomeEMail=Welcome e-mail
|
||||
|
||||
@ -63,4 +63,4 @@ ErrorOpenSurveyDateFormat=Date must have the format YYYY-MM-DD
|
||||
ErrorInsertingComment=There was an error while inserting your comment
|
||||
MoreChoices=Enter more choices for the voters
|
||||
SurveyExpiredInfo=The voting time of this poll has expired.
|
||||
EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s
|
||||
EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s
|
||||
|
||||
@ -101,7 +101,6 @@ RelatedOrders=Related orders
|
||||
OnProcessOrders=In process orders
|
||||
RefOrder=Ref. order
|
||||
RefCustomerOrder=Ref. customer order
|
||||
CustomerOrder=Customer order
|
||||
RefCustomerOrderShort=Ref. cust. order
|
||||
SendOrderByMail=Send order by mail
|
||||
ActionsOnOrder=Events on order
|
||||
@ -132,8 +131,6 @@ Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined
|
||||
Error_FailedToLoad_COMMANDE_SUPPLIER_ADDON_File=Failed to load module file '%s'
|
||||
Error_FailedToLoad_COMMANDE_ADDON_File=Failed to load module file '%s'
|
||||
Error_OrderNotChecked=No orders to invoice selected
|
||||
|
||||
|
||||
# Sources
|
||||
OrderSource0=Commercial proposal
|
||||
OrderSource1=Internet
|
||||
@ -144,7 +141,6 @@ OrderSource5=Commercial
|
||||
OrderSource6=Store
|
||||
QtyOrdered=Qty ordered
|
||||
AddDeliveryCostLine=Add a delivery cost line indicating the weight of the order
|
||||
|
||||
# Documents models
|
||||
PDFEinsteinDescription=A complete order model (logo...)
|
||||
PDFEdisonDescription=A simple order model
|
||||
@ -155,7 +151,6 @@ OrderByFax=Fax
|
||||
OrderByEMail=EMail
|
||||
OrderByWWW=Online
|
||||
OrderByPhone=Phone
|
||||
|
||||
CreateInvoiceForThisCustomer=Bill orders
|
||||
NoOrdersToInvoice=No orders billable
|
||||
CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders.
|
||||
@ -165,4 +160,4 @@ 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".
|
||||
ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s".
|
||||
|
||||
@ -17,14 +17,15 @@ Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved
|
||||
Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused
|
||||
Notify_ORDER_VALIDATE=Customer order validated
|
||||
Notify_PROPAL_VALIDATE=Customer proposal validated
|
||||
Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
|
||||
Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
|
||||
Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
|
||||
Notify_WITHDRAW_CREDIT=Credit withdrawal
|
||||
Notify_WITHDRAW_EMIT=Perform withdrawal
|
||||
Notify_ORDER_SENTBYMAIL=Customer order sent by mail
|
||||
Notify_COMPANY_CREATE=Third party created
|
||||
Notify_COMPANY_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
|
||||
Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
|
||||
Notify_ORDER_SENTBYMAIL=Envío pedido por e-mail
|
||||
Notify_BILL_PAYED=Customer invoice payed
|
||||
Notify_BILL_CANCEL=Customer invoice canceled
|
||||
Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
|
||||
@ -33,11 +34,13 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=Supplier order sent by mail
|
||||
Notify_BILL_SUPPLIER_VALIDATE=Supplier invoice validated
|
||||
Notify_BILL_SUPPLIER_PAYED=Supplier invoice payed
|
||||
Notify_BILL_SUPPLIER_SENTBYMAIL=Supplier invoice sent by mail
|
||||
Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
|
||||
Notify_CONTRACT_VALIDATE=Contract validated
|
||||
Notify_FICHEINTER_VALIDATE=Intervention validated
|
||||
Notify_SHIPPING_VALIDATE=Shipping validated
|
||||
Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
|
||||
Notify_MEMBER_VALIDATE=Member validated
|
||||
Notify_MEMBER_MODIFY=Member modified
|
||||
Notify_MEMBER_SUBSCRIPTION=Member subscribed
|
||||
Notify_MEMBER_RESILIATE=Member resiliated
|
||||
Notify_MEMBER_DELETE=Member deleted
|
||||
|
||||
@ -19,4 +19,7 @@ PredefinedMailContentLink=You can click on the secure link below to make your pa
|
||||
YouAreCurrentlyInSandboxMode=You are currently in the "sandbox" mode
|
||||
NewPaypalPaymentReceived=New Paypal payment received
|
||||
NewPaypalPaymentFailed=New Paypal payment tried but failed
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
PAYPAL_PAYONLINE_SENDEMAIL=EMail to warn after a payment (success or not)
|
||||
ReturnURLAfterPayment=Return URL after payment
|
||||
ValidationOfPaypalPaymentFailed=Validation of Paypal payment failed
|
||||
PaypalConfirmPaymentPageWasCalledButFailed=Payment confirmation page for Paypal was called by Paypal but confirmation failed
|
||||
|
||||
@ -226,4 +226,4 @@ PriceCatalogue=Catalogue Price
|
||||
PricingRule=Pricing Rules
|
||||
AddCustomerPrice=Add price by customers
|
||||
ForceUpdateChildPriceSoc=Set same price on customer subsidiaries
|
||||
PriceByCustomerLog=Price by customer log
|
||||
PriceByCustomerLog=Price by customer log
|
||||
|
||||
@ -66,11 +66,9 @@ CarrierList=List of transporters
|
||||
SendingMethodCATCH=Catch by customer
|
||||
SendingMethodTRANS=Transporter
|
||||
SendingMethodCOLSUI=Colissimo
|
||||
|
||||
# ModelDocument
|
||||
DocumentModelSirocco=Simple document model for delivery receipts
|
||||
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
|
||||
|
||||
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
|
||||
SumOfProductVolumes=Sum of product volumes
|
||||
SumOfProductWeights=Sum of product weights
|
||||
SumOfProductWeights=Sum of product weights
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user