Merge branch 'Upstream/develop'

This commit is contained in:
aspangaro 2014-05-30 21:01:01 +02:00
commit 27f0cbdb83
408 changed files with 10641 additions and 9688 deletions

View File

@ -15,7 +15,7 @@ fi
# To detect
if [ "x$1" = "xlist" ]
then
for file in `find . -type f`
for file in `find . -type f -name *.lang`
do
if [ `sort "$file" | uniq -d | wc -l` -gt 0 ]
then
@ -27,7 +27,7 @@ fi
# To fix
if [ "x$1" = "xfix" ]
then
for file in `find . -type f`
for file in `find . -type f -name *.lang`
do
awk -i inplace ' !x[$0]++' "$file"
done;

View File

@ -203,12 +203,6 @@ if ($action == 'add_action')
$action = 'create';
$mesg='<div class="error">'.$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("DateEnd")).'</div>';
}
if (! empty($datep) && GETPOST('percentage') == 0)
{
$error++;
$action = 'create';
$mesg='<div class="error">'.$langs->trans("ErrorStatusCantBeZeroIfStarted").'</div>';
}
if (! GETPOST('apyear') && ! GETPOST('adyear'))
{

View File

@ -546,6 +546,7 @@ class Propal extends CommonObject
$this->line->label = $label;
$this->line->desc = $desc;
$this->line->qty = $qty;
$this->line->product_type = $type;
$this->line->tva_tx = $txtva;
$this->line->localtax1_tx = $txlocaltax1;
$this->line->localtax2_tx = $txlocaltax2;
@ -2783,7 +2784,7 @@ class PropaleLigne extends CommonObject
$sql.= ' pd.info_bits, pd.total_ht, pd.total_tva, pd.total_ttc, pd.fk_product_fournisseur_price as fk_fournprice, pd.buy_price_ht as pa_ht, pd.special_code, pd.rang,';
$sql.= ' pd.localtax1_tx, pd.localtax2_tx, pd.total_localtax1, pd.total_localtax2,';
$sql.= ' p.ref as product_ref, p.label as product_label, p.description as product_desc,';
$sql.= ' pd.date_start, pd.date_end';
$sql.= ' pd.date_start, pd.date_end, pd.product_type';
$sql.= ' FROM '.MAIN_DB_PREFIX.'propaldet as pd';
$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'product as p ON pd.fk_product = p.rowid';
$sql.= ' WHERE pd.rowid = '.$rowid;
@ -2820,6 +2821,7 @@ class PropaleLigne extends CommonObject
$this->marque_tx = $marginInfos[2];
$this->special_code = $objp->special_code;
$this->product_type = $objp->product_type;
$this->rang = $objp->rang;
$this->ref = $objp->product_ref; // deprecated
@ -3054,6 +3056,7 @@ class PropaleLigne extends CommonObject
$sql = "UPDATE ".MAIN_DB_PREFIX."propaldet SET";
$sql.= " description='".$this->db->escape($this->desc)."'";
$sql.= " , label=".(! empty($this->label)?"'".$this->db->escape($this->label)."'":"null");
$sql.= " , product_type=".$this->product_type;
$sql.= " , tva_tx='".price2num($this->tva_tx)."'";
$sql.= " , localtax1_tx=".price2num($this->localtax1_tx);
$sql.= " , localtax2_tx=".price2num($this->localtax2_tx);

View File

@ -1666,7 +1666,7 @@ else if ($action == 'builddoc') // En get ou en post
// Save last template used to generate document
if (GETPOST('model'))
$object->setDocModel($user, GETPOST('model', 'alpha'));
if (GETPOST('fk_bank'))
if (GETPOST('fk_bank')) // this field may come from an external module
$object->fk_bank = GETPOST('fk_bank');
// Define output language

View File

@ -1259,7 +1259,7 @@ class Form
* Return list of products for customer in Ajax if Ajax activated or go to select_produits_list
*
* @param int $selected Preselected products
* @param string $htmlname Name of HTML seletc field (must be unique in page)
* @param string $htmlname Name of HTML select field (must be unique in page)
* @param int $filtertype Filter on product type (''=nofilter, 0=product, 1=service)
* @param int $limit Limit on number of returned lines
* @param int $price_level Level of price to show
@ -1268,7 +1268,7 @@ class Form
* @param string $selected_input_value Value of preselected input text (with ajax)
* @param int $hidelabel Hide label (0=no, 1=yes, 2=show search icon (before) and placeholder, 3 search icon after)
* @param array $ajaxoptions Options for ajax_autocompleter
* @param int $socid Thridparty Id
* @param int $socid Thirdparty Id
* @return void
*/
function select_produits($selected='', $htmlname='productid', $filtertype='', $limit=20, $price_level=0, $status=1, $finished=2, $selected_input_value='', $hidelabel=0, $ajaxoptions=array(),$socid=0)
@ -1320,13 +1320,13 @@ class Form
* @param int $selected Preselected product
* @param string $htmlname Name of select html
* @param string $filtertype Filter on product type (''=nofilter, 0=product, 1=service)
* @param int $limit Limite sur le nombre de lignes retournees
* @param int $limit Limit on number of returned lines
* @param int $price_level Level of price to show
* @param string $filterkey Filter on product
* @param int $status -1=Return all products, 0=Products not on sell, 1=Products on sell
* @param int $finished Filter on finished field: 2=No filter
* @param int $outputmode 0=HTML select string, 1=Array
* @param int $socid Thridparty Id
* @param int $socid Thirdparty Id
* @return array Array of keys for json
*/
function select_produits_list($selected='',$htmlname='productid',$filtertype='',$limit=20,$price_level=0,$filterkey='',$status=1,$finished=2,$outputmode=0,$socid=0)

View File

@ -42,6 +42,7 @@ class FactureFournisseur extends CommonInvoice
public $fk_element='fk_facture_fourn';
protected $ismultientitymanaged = 1; // 0=No test on entity, 1=Test with field entity, 2=Test with link by societe
var $rowid;
var $ref;
var $product_ref;
var $ref_supplier;

View File

@ -312,6 +312,7 @@ if ($object->fetch($id))
$sql = "SELECT p.rowid,p.ref, p.date_commande as dc, p.fk_statut";
$sql.= " FROM ".MAIN_DB_PREFIX."commande_fournisseur as p ";
$sql.= " WHERE p.fk_soc =".$object->id;
$sql.= " AND p.entity =".$conf->entity;
$sql.= " ORDER BY p.date_commande DESC";
$sql.= " ".$db->plimit($MAXLIST);
$resql=$db->query($sql);
@ -380,6 +381,7 @@ if ($object->fetch($id))
$sql.= ' FROM '.MAIN_DB_PREFIX.'facture_fourn as f';
$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'paiementfourn_facturefourn as pf ON f.rowid=pf.fk_facturefourn';
$sql.= ' WHERE f.fk_soc = '.$object->id;
$sql.= " AND f.entity =".$conf->entity;
$sql.= ' GROUP BY f.rowid,f.libelle,f.ref_supplier,f.fk_statut,f.datef,f.total_ttc,f.paye';
$sql.= ' ORDER BY f.datef DESC';
$resql=$db->query($sql);

View File

@ -25,7 +25,7 @@ create table llx_commande
entity integer DEFAULT 1 NOT NULL, -- multi company id
ref_ext varchar(255), -- reference into an external system (not used by dolibarr)
ref_int varchar(255), -- reference into an internal system (used by dolibarr)
ref_int varchar(255), -- reference into an internal system (deprecated)
ref_client varchar(255), -- reference for customer
fk_soc integer NOT NULL,

View File

@ -28,7 +28,7 @@ create table llx_expedition
fk_soc integer NOT NULL,
ref_ext varchar(30), -- reference into an external system (not used by dolibarr)
ref_int varchar(30), -- reference into an internal system (used by dolibarr)
ref_int varchar(30), -- reference into an internal system (used by dolibarr to store extern id like paypal info)
ref_customer varchar(30), -- customer number
date_creation datetime, -- date de creation

View File

@ -28,7 +28,7 @@ create table llx_facture
entity integer DEFAULT 1 NOT NULL, -- multi company id
ref_ext varchar(255), -- reference into an external system (not used by dolibarr)
ref_int varchar(255), -- reference into an internal system (used by dolibarr)
ref_int varchar(255), -- reference into an internal system (used by dolibarr to store extern id like paypal info)
ref_client varchar(255), -- reference for customer
type smallint DEFAULT 0 NOT NULL, -- type of invoice

View File

@ -26,7 +26,7 @@ create table llx_livraison
fk_soc integer NOT NULL,
ref_ext varchar(30), -- reference into an external system (not used by dolibarr)
ref_int varchar(30), -- reference into an internal system (used by dolibarr)
ref_int varchar(30), -- reference into an internal system (used by dolibarr to store extern id like paypal info)
ref_customer varchar(30), -- customer number
date_creation datetime, -- date de creation

View File

@ -26,7 +26,7 @@ create table llx_propal
entity integer DEFAULT 1 NOT NULL, -- multi company id
ref_ext varchar(255), -- reference into an external system (not used by dolibarr)
ref_int varchar(255), -- reference into an internal system (used by dolibarr)
ref_int varchar(255), -- reference into an internal system (used by dolibarr to store extern id like paypal info)
ref_client varchar(255), -- customer proposal number
fk_soc integer,

View File

@ -1,6 +1,6 @@
-- ========================================================================
-- Copyright (C) 2000-2004 Rodolphe Quiedeville <rodolphe@quiedeville.org>
-- Copyright (C) 2004-2010 Laurent Destailleur <eldy@users.sourceforge.net>
-- Copyright (C) 2004-2014 Laurent Destailleur <eldy@users.sourceforge.net>
-- Copyright (C) 2005-2010 Regis Houssin <regis.houssin@capnetworks.com>
-- Copyright (C) 2010 Juanjo Menent <dolibarr@2byte.es>
--
@ -22,11 +22,11 @@
create table llx_societe
(
rowid integer AUTO_INCREMENT PRIMARY KEY,
nom varchar(60), -- company reference name
entity integer DEFAULT 1 NOT NULL, -- multi company id
nom varchar(60), -- company reference name
entity integer DEFAULT 1 NOT NULL, -- multi company id
ref_ext varchar(128), -- reference into an external system (not used by dolibarr)
ref_int varchar(60), -- reference into an internal system (used by dolibarr)
ref_ext varchar(128), -- reference into an external system (not used by dolibarr)
ref_int varchar(60), -- reference into an internal system (deprecated)
statut tinyint DEFAULT 0, -- statut
parent integer,

View File

@ -24,7 +24,7 @@ create table llx_user
entity integer DEFAULT 1 NOT NULL, -- multi company id
ref_ext varchar(50), -- reference into an external system (not used by dolibarr)
ref_int varchar(50), -- reference into an internal system (used by dolibarr)
ref_int varchar(50), -- reference into an internal system (deprecated)
datec datetime,
tms timestamp,

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=الوحدة %s
LocalisationDolibarrParameters=الوحدات المحلية
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=المنطقة الزمنية لنظام تشغيل الخادم
OSTZ=Server OS Time Zone
PHPTZ=المنطقة الزمنية خادم PHP
PHPServerOffsetWithGreenwich=عرض وزنية جرينتش لخادم لغة الـ PHP (ثانية)
ClientOffsetWithGreenwich=عرض وزنية الجرينتش للعميل / المتصفح (ثانية)
@ -233,7 +233,9 @@ OfficialWebSiteFr=الفرنسية الموقع الرسمي
OfficialWiki=Dolibarr يكي
OfficialDemo=Dolibarr الانترنت التجريبي
OfficialMarketPlace=المسؤول عن وحدات السوق الخارجية / أدونس
OfficialWebHostingService=Official web hosting services (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=For user's or developer's documentation (Doc, FAQs...),<br>take a look at the Dolibarr Wiki:<br><b><a href="%s" target=للمستخدم أو للتطوير وثائق (مستدات ،...)، أسئلة وأجوبة <br> إلقاء نظرة على ويكي Dolibarr : <br> <a href="%s" target="_blank"><b>ق ٪</b></a>
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:<br><b><a href="%s" target=عن أي أسئلة أخرى / مساعدة ، يمكنك استخدام Dolibarr المنتدى : <br> <a href="%s" target="_blank"><b>ق ٪</b></a>
HelpCenterDesc1=هذا المجال يمكن أن تساعدك في الحصول على مساعدة لتقديم خدمات الدعم على Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -472,7 +474,7 @@ Module410Desc=Webcalendar التكامل
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
Module510Desc=Management of employees salaries and payments
Module600Name=الإخطارات
Module600Desc=إرسال الإشعارات عن طريق البريد الإلكتروني على بعض الفعاليات التجارية Dolibarr لطرف ثالث اتصالات
Module700Name=التبرعات
@ -495,15 +497,15 @@ Module2400Name=جدول الأعمال
Module2400Desc=الأعمال / الإدارة المهام وجدول الأعمال
Module2500Name=إدارة المحتوى الإلكتروني
Module2500Desc=حفظ وتبادل الوثائق
Module2600Name= WebServices
Module2600Desc= تمكين خدمات الويب Dolibarr الملقم
Module2700Name= غرفتر
Module2700Desc= استخدام خدمة غرفتر على الانترنت (www.gravatar.com) لإظهار الصورة من المستخدمين / أعضاء (وجدت مع رسائل البريد الإلكتروني الخاصة بهم). في حاجة الى الوصول الى شبكة الانترنت
Module2600Name=WebServices
Module2600Desc=تمكين خدمات الويب Dolibarr الملقم
Module2700Name=غرفتر
Module2700Desc=استخدام خدمة غرفتر على الانترنت (www.gravatar.com) لإظهار الصورة من المستخدمين / أعضاء (وجدت مع رسائل البريد الإلكتروني الخاصة بهم). في حاجة الى الوصول الى شبكة الانترنت
Module2800Desc=FTP Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP التحويلات Maxmind القدرات
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP التحويلات Maxmind القدرات
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=شركة متعددة
Module5000Desc=يسمح لك لإدارة الشركات المتعددة
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Complementary attributes (orders)
ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
ExtraFieldsProject=Complementary attributes (projects)
ExtraFieldsProjectTask=Complementary attributes (tasks)
ExtraFieldHasWrongValue=قيمة الخاصية %s له قيمة خاطئة.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=only alphanumericals characters without space
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=الإعداد من sendings عن طريق البريد الإلكتروني
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Automatic detection not possible
YouUseBestDriver=You use driver %s that is best driver available currently.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommanded.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization.
SearchOptim=Search optimization
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance.
BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari.
XDebugInstalled=XDebug est chargé.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache is loaded.
AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=خدمة استضافة قاعدة بيانات التقويم
WebCalDatabaseName=اسم قاعدة البيانات
WebCalUser=المستخدم من الوصول إلى قاعدة البيانات
WebCalSetupSaved=أنقذ Webcalendar الإعداد بنجاح.
WebCalTestOk=علاقة الخادم '٪ ق' على قاعدة البيانات '٪ ق' مستخدم '٪ ق' ناجحة.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=علاقة الخادم '٪ ق' تنجح ولكن قاعدة البيانات '٪ ق' لا يمكن التوصل إليها.
WebCalTestKo2=علاقة الخادم '٪ ق' مستخدم '٪ ق' فشلت.
WebCalErrorConnectOkButWrongDatabase=نجح الصدد ولكن قاعدة البيانات لا يبدو أن Webcalendar في قاعدة البيانات.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
OrdersSetup=أوامر إدارة الإعداد
OrdersNumberingModules=أوامر الترقيم نمائط
OrdersModelModule=وثائق من أجل النماذج
HideTreadedOrders=إخفاء أو معاملة الغاء الاوامر في قائمة
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=للمصادقة على النظام بعد اقتراح أوثق ، لا يجعل من الممكن للخطوة من جانب النظام المؤقت
FreeLegalTextOnOrders=بناء على أوامر النص الحر
WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=فشل تزامن الاختبار
LDAPSynchroKOMayBePermissions=تزامن فشل الاختبار. تأكد من أن ارتباط لخادم تهيئتها بشكل صحيح ، ويسمح LDAP udpates
LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=ربط برنامج التعاون الفني لخادم LDAP ناجحة (٪ ق= خادم بورت= ٪)
LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=ربط برنامج التعاون الفني لخادم LDAP فشل (خادم ق= ٪ بورت= ٪)
LDAPBindOK=Connect/Authentificate to LDAP server sucessfull (Server=%s, Port=%s, Admin=%s, Password=ربط / Authentificate ناجحة لخادم LDAP (خادم ق= ٪ بورت= ٪ ق ، ق= ٪ الادارية ، كلمة المرور= ٪)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=ربط / Authentificate لخادم LDAP فشل (خادم ق= ٪ بورت= ٪ ق ، ق= ٪ الادارية ، كلمة المرور= ٪)
LDAPUnbindSuccessfull=فصل ناجحة
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=قطع فشل
LDAPConnectToDNSuccessfull=الاتحاد الافريقي بصدد DN (٪) ري ¿½ ussie
LDAPConnectToDNFailed=الاتحاد الافريقي بصدد DN (٪) ¿½ ï ¿½ ه chouï
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=مثال ذلك : objectsid
LDAPFieldEndLastSubscription=تاريخ انتهاء الاكتتاب
LDAPFieldTitle=وظيفة / وظيفة
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP المعايير ما زالت hardcoded (الطبقة اتصال)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP الإعداد غير كاملة (على آخرين علامات التبويب)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=أي مدير أو كلمة السر. LDAP الوصول مجهولة وسيكون في قراءة فقط.
LDAPDescContact=تسمح لك هذه الصفحة لتحديد اسم LDAP الصفات LDAP شجرة في كل البيانات التي وجدت على Dolibarr الاتصالات.
@ -1429,7 +1431,7 @@ OptionVATDefault=القياسية
OptionVATDebitOption=الخيار خدمات الخصم
OptionVatDefaultDesc=ومن المقرر ان ضريبة القيمة المضافة : <br> -- التسليم / الدفع للسلع <br> -- على دفع تكاليف الخدمات
OptionVatDebitOptionDesc=ومن المقرر ان ضريبة القيمة المضافة : <br> -- التسليم / الدفع للسلع <br> -- على الفاتورة (الخصم) للخدمات
SummaryOfVatExigibilityUsedByDefault=زمن افتراضي exigibility ضريبة القيمة المضافة وفقا لخيار choosed :
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=التسليم
OnPayment=عن الدفع
OnInvoice=على فاتورة
@ -1446,7 +1448,7 @@ AccountancyCodeBuy=Purchase account. code
AgendaSetup=جدول الأعمال وحدة الإعداد
PasswordTogetVCalExport=مفتاح ربط تصدير تأذن
PastDelayVCalExport=لا تصدر الحدث الأكبر من
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> Type of agenda events)
##### ClickToDial #####
ClickToDialDesc=هذا النموذج يسمح لإضافة رمز بعد رقم هاتف Dolibarr الاتصالات. وهناك اضغط على هذه الأيقونة ، سوف يطلب من أحد serveur معينة مع تحديد عنوان لكم أدناه. ويمكن استخدام هذه الكلمة لدعوة من مركز نظام Dolibarr التي يمكن الاتصال على رقم الهاتف هذا المسبار النظام على سبيل المثال.
##### Point Of Sales (CashDesk) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=List of Services to expire in %s days
ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
ListOfServicesToExpire=List of Services to expire
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=ممثل مبيعات توقيع العقد

View File

@ -8,7 +8,7 @@ ImportableDatas=بيانات وارداتها
SelectExportDataSet=اختر البيانات التي تريد تصديرها...
SelectImportDataSet=اختر البيانات التي تريد الاستيراد...
SelectExportFields=اختيار الحقول التي تريد تصديرها ، أو اختيار ملف التصدير مسبقا
SelectImportFields=اختيار الحقول التي تريد استيراد ، أو حدد ملف استيراد محددة سلفا ،
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=حقول من الملف المصدر يتم استيراد
SaveExportModel=احفظ هذا التصدير صورة لو كنت تخطط لإعادة استخدامها في وقت لاحق...
SaveImportModel=إنقاذ هذه استيراد صورة لو كنت تخطط لإعادة استخدامها في وقت لاحق...
@ -81,7 +81,7 @@ DoNotImportFirstLine=لا استيراد السطر الأول من الملف
NbOfSourceLines=عدد الأسطر في الملف المصدر
NowClickToTestTheImport=الاختيار المعلمات استيراد عرفتها. وإذا كانت صحيحة ، انقر على <b>%s</b> "زر" لإطلاق محاكاة لعملية الاستيراد (يمكن تغيير أية بيانات في قاعدة البيانات وسوف ، انها مجرد محاكاة لحظة)...
RunSimulateImportFile=بدء استيراد محاكاة
FieldNeedSource=هذا يشعر في قاعدة البيانات تتطلب البيانات من الملف المصدر
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=بعض الحقول إلزامية ليس لديها مصدر من ملف البيانات
InformationOnSourceFile=معلومات عن الملف المصدر
InformationOnTargetTables=معلومات عن الهدف الحقول

View File

@ -8,7 +8,6 @@ NotActiveModCP=You must enable the module holidays to view this page.
NotConfigModCP=You must configure the module holidays to view this page. To do this, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> click here </ a>.
NoCPforUser=You don't have a demand for holidays.
AddCP=Apply for holidays
CPErrorSQL=An SQL error occurred:
Employe=Employee
DateDebCP=تاريخ البدء
DateFinCP=نهاية التاريخ

View File

@ -79,6 +79,7 @@ MailtoEMail=Hyper link to email
ActivateCheckRead=Allow to use the "Unsubcribe" link
ActivateCheckReadKey=Key use to encrypt URL use for "Read Receipt" and "Unsubcribe" feature
EMailSentToNRecipients=EMail sent to %s recipients.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=البريد الإلكتروني التي بعث بها
TextUsedInTheMessageBody=هيئة البريد الإلكتروني
SendAcknowledgementByMail=ارسال Ack. عن طريق البريد الإلكتروني
NoEMail=أي بريد إلكتروني
NoMobilePhone=No mobile phone
Owner=مالك
DetectedVersion=اكتشاف نسخة
FollowingConstantsWillBeSubstituted=الثوابت التالية ستكون بديلا المقابلة القيمة.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=المنتجات والخدمات والإحصاء
ProductsStatistics=المنتجات إحصاءات
ProductsOnSell=بيع المنتجات
ProductsNotOnSell=من بيع المنتجات
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=خدمات البيع
ServicesNotOnSell=من بيع الخدمات
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=إشارة الداخلية
LastRecorded=آخر المنتجات والخدمات المسجلة على بيع
LastRecordedProductsAndServices=٪ ق الماضي سجلت المنتجات / الخدمات
@ -70,6 +72,8 @@ PublicPrice=السعر العام
CurrentPrice=السعر الحالي
NewPrice=السعر الجديد
MinPrice=القطرة. سعر البيع
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=سعر البيع لا يمكن أن يكون أقل من الحد الأدنى المسموح لهذا المنتج (٪ ق بدون الضرائب)
ContractStatus=عقد مركز
ContractStatusClosed=مغلقة
@ -179,6 +183,7 @@ ProductIsUsed=ويستخدم هذا المنتج
NewRefForClone=المرجع. من المنتجات الجديدة / خدمة
CustomerPrices=أسعار العملاء
SuppliersPrices=أسعار الموردين
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=قانون الجمارك
CountryOrigin=بلد المنشأ
HiddenIntoCombo=مخبأة في قوائم مختارة
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Auto consumed by production
ProductBuilded=Production completed
ProductsMultiPrice=Product multi-price
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1st. Quarter

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=This is list of all opened supplier orders
Replenishments=Replenishments
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
MassMovement=Mass movement
MassStockMovement=Mass stock movement
SelectProductInAndOutWareHouse=Select a product, a quantity, a source warehouse and a target warehouse, then click "%s". Once this is done for all required movements, click onto "%s".
RecordMovement=Record transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Параметър %s
LocalisationDolibarrParameters=Локализация параметри
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=Servre OS Time Zone
OSTZ=Server OS Time Zone
PHPTZ=PHP server Time Zone
PHPServerOffsetWithGreenwich=PHP сървъра компенсира широчина Гринуич (секунди)
ClientOffsetWithGreenwich=Клиент / Browser компенсира широчина Гринуич (секунди)
@ -233,7 +233,9 @@ OfficialWebSiteFr=Френски официален уеб сайт
OfficialWiki=Dolibarr документация на Wiki
OfficialDemo=Dolibarr онлайн демо
OfficialMarketPlace=Официален магазин за външни модули/добавки
OfficialWebHostingService=Официален уеб хостинг услуга (Cloud хостинг)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=Документация за потребител или разработчик (Doc, често задавани въпроси ...), <br> можете да намерите в Dolibarr Wiki: <br> <a href="%s" target="_blank"><b>%s</b></a>
ForAnswersSeeForum=За всякакви други въпроси / Помощ, можете да използвате форума Dolibarr: <br> <a href="%s" target="_blank"><b>%s</b></a>
HelpCenterDesc1=Тази област може да ви помогне да получите помощ и поддръжка за Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Радио бутон
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -472,7 +474,7 @@ Module410Desc=Webcalendar интеграция
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
Module510Desc=Management of employees salaries and payments
Module600Name=Известия
Module600Desc=Изпращане известия по имейл за някои бизнес събития в Dolibarr към трети лица
Module700Name=Дарения
@ -495,15 +497,15 @@ Module2400Name=Дневен ред
Module2400Desc=Събития/задачи и управление на дневен ред
Module2500Name=Електронно Управление на Съдържанието
Module2500Desc=Запазване и споделяне на документи
Module2600Name= WebServices
Module2600Desc= Активирайте сървъра на Dolibarr за уеб услуги
Module2700Name= Gravatar
Module2700Desc= Използвайте онлайн Gravatar услуга (www.gravatar.com), за да покаже снимка на потребители / членове с техните имейли. Нуждаете се от интернет
Module2600Name=WebServices
Module2600Desc=Активирайте сървъра на Dolibarr за уеб услуги
Module2700Name=Gravatar
Module2700Desc=Използвайте онлайн Gravatar услуга (www.gravatar.com), за да покаже снимка на потребители / членове с техните имейли. Нуждаете се от интернет
Module2800Desc=FTP Клиент
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP MaxMind реализации възможности
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP MaxMind реализации възможности
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Няколко фирми
Module5000Desc=Позволява ви да управлявате няколко фирми
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Complementary attributes (orders)
ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
ExtraFieldsProject=Complementary attributes (projects)
ExtraFieldsProjectTask=Complementary attributes (tasks)
ExtraFieldHasWrongValue=Attribut %s има грешна стойност.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=само героите alphanumericals без пространство
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Настройка на изпращане по имейл
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Automatic detection not possible
YouUseBestDriver=You use driver %s that is best driver available currently.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommanded.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization.
SearchOptim=Search optimization
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance.
BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari.
XDebugInstalled=XDebug est chargé.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache is loaded.
AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Хостинг сървър календар база данни
WebCalDatabaseName=Име на базата данни
WebCalUser=Потребителя за достъп до базата данни
WebCalSetupSaved=Webcalendar настройка запазена успешно.
WebCalTestOk=Връзка към &quot;%s&quot; сървър на &quot;%s&quot; база данни с успешен потребителски %s.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Свързване към сървър &quot;%s успее, но база данни&quot; %s &quot;не може да бъде постигнато.
WebCalTestKo2=Връзка към сървъра &quot;%s&quot; с потребителя %s &quot;се провали.
WebCalErrorConnectOkButWrongDatabase=Връзка успял, но базата данни не изглежда да е база данни Webcalendar.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
OrdersSetup=Настройки за управление на поръчки
OrdersNumberingModules=Поръчки номериране модули
OrdersModelModule=Поръчка документи модели
HideTreadedOrders=Скриване на третираните или отказани поръчки в списъка
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=Да се ​​потвърди ред след предложението близо, това прави възможно да не се увеличат с временния ред
FreeLegalTextOnOrders=Свободен текст на поръчки
WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Неуспешно синхронизиране тест
LDAPSynchroKOMayBePermissions=Неуспешно синхронизиране тест. Уверете се, че свързването със сървъра е конфигуриран правилно и позволява LDAP udpates
LDAPTCPConnectOK=TCP свърже с LDAP сървъра успешни (сървър = %s, Порт = %s)
LDAPTCPConnectKO=TCP се свърже с LDAP сървъра не успя (Server = %s, Port = %s)
LDAPBindOK=Свързване / Authentificate сървъра sucessfull LDAP (сървър = %s, Port = %s, Admin = %s, парола = %s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Свързване / Authentificate LDAP сървъра се провали (сървър = %s, Port = %s, Admin = %s, парола = %s)
LDAPUnbindSuccessfull=Изключете успешно
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Изключете не успя
LDAPConnectToDNSuccessfull=Връзка о DN (%s) РИ ¿½ ussie
LDAPConnectToDNFailed=Връзка о DN (%s) ï ¿½ chouï ¿½ д
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Пример: objectsid
LDAPFieldEndLastSubscription=Дата на абонамент края
LDAPFieldTitle=Мнение / Функция
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP параметри все още кодиран (в контакт клас)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP настройка не е пълна (отидете на други раздели)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Не администратор или парола. LDAP достъп ще бъдат анонимни и в режим само за четене.
LDAPDescContact=Тази страница ви позволява да дефинирате LDAP атрибути име в LDAP дърво за всеки намерени данни за контактите на Dolibarr.
@ -1429,7 +1431,7 @@ OptionVATDefault=Стандарт
OptionVATDebitOption=Вариант услуги по дебитни
OptionVatDefaultDesc=Се дължи ДДС: <br> - При доставка на стоки (ние използваме датата на фактурата) <br> - Плащания за услуги
OptionVatDebitOptionDesc=Се дължи ДДС: <br> - При доставка на стоки (ние използваме датата на фактурата) <br> - По фактура (дебитно) за услуги
SummaryOfVatExigibilityUsedByDefault=Време на изискуемост на ДДС по подразбиране, според няма избрана опция:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=При доставка
OnPayment=На плащане
OnInvoice=На фактура
@ -1446,7 +1448,7 @@ AccountancyCodeBuy=Purchase account. code
AgendaSetup=Събития и натъкмяване на дневен ред модул
PasswordTogetVCalExport=, За да разреши износ връзка
PastDelayVCalExport=Не изнася случай по-стари от
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> Type of agenda events)
##### ClickToDial #####
ClickToDialDesc=Този модул позволява да добавите икона след телефонни номера. Кликнете върху тази икона ще призове сървър с определен URL адрес можете да зададете по-долу. Това може да се използва, за да се обадя на кол център система от Dolibarr, че да се обаждат на телефонен номер на SIP система, например.
##### Point Of Sales (CashDesk) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=List of Services to expire in %s days
ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
ListOfServicesToExpire=List of Services to expire
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Търговски представител подписване на договора

View File

@ -8,7 +8,7 @@ ImportableDatas=Се внасят набор от данни
SelectExportDataSet=Изберете набор от данни, които искате да експортирате ...
SelectImportDataSet=Изберете набор от данни, който искате да импортирате ...
SelectExportFields=Изберете полетата, които искате да експортирате, или да изберете предварително дефинирана Profil износ
SelectImportFields=Изберете файла източник полета, които искате да импортирате и тяхното поле в базата данни от тях се движат нагоре и надолу с анкерни %s или изберете предварително дефинирана Profil внос:
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Области на файла източник не са внесени
SaveExportModel=Запази този профил за износ, ако смятате да го използвате отново по-късно ...
SaveImportModel=Запази този профил за внос, ако смятате да го използвате отново по-късно ...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Да не се внасят първия ред на изх
NbOfSourceLines=Брой на линиите във файла източник
NowClickToTestTheImport=Проверете внос параметрите, които сте задали. Ако те са правилни, кликнете върху бутона <b>&quot;%s&quot;,</b> за да започне симулация на процеса на импортиране (няма данни ще се промени във вашата база данни, това е само симулация за момента) ...
RunSimulateImportFile=Стартиране на симулация внос
FieldNeedSource=Това Полета в базата данни изискват данни от файла източник
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Някои от задължителните полета не са източник от файл с данни
InformationOnSourceFile=Информация за файла източник
InformationOnTargetTables=Информация за целевите области

View File

@ -8,7 +8,6 @@ NotActiveModCP=Трябва да вкючите модула за отпуски
NotConfigModCP=Необходимо е да конфигурирате модула за отпуски за да видите тази страница. За да направите това, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> щтракнете тук </ a>.
NoCPforUser=You don't have a demand for holidays.
AddCP=Кандидатстване за отпуск
CPErrorSQL=Възникна SQL грешка:
Employe=Служител
DateDebCP=Начална дата
DateFinCP=Крайна дата

View File

@ -79,6 +79,7 @@ MailtoEMail=Хипер-връзка на приятел
ActivateCheckRead=Оставя се да се използва за четене тракер получаване и връзката unsubcribe
ActivateCheckReadKey=Key използване за криптиране на използването на URL адрес за обратна разписка и функция unsubcribe
EMailSentToNRecipients=EMail sent to %s recipients.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=E-mail, изпратен от
TextUsedInTheMessageBody=Email body
SendAcknowledgementByMail=Изпращане на уведомление по имейл
NoEMail=Няма имейл
NoMobilePhone=No mobile phone
Owner=Собственик
DetectedVersion=Открита версия
FollowingConstantsWillBeSubstituted=Следните константи ще бъдат заменени със съответната стойност.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Статистика на Продукти и Ус
ProductsStatistics=Статистика на продукти
ProductsOnSell=Налични продукти
ProductsNotOnSell=Стари продукти
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Налични услуги
ServicesNotOnSell=Стари услуги
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Вътрешна препратка
LastRecorded=Последните записани продукти / услуги по продажба
LastRecordedProductsAndServices=Последните %s записани продукти / услуги
@ -70,6 +72,8 @@ PublicPrice=Публична цена
CurrentPrice=Текуща цена
NewPrice=Нова цена
MinPrice=Миним. продажна цена
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=Продажната цена не може да бъде по-ниска от максимално допустимата за този продукт (%s без ДДС). Това съобщение може да се появи, ако въведете твърде важна отстъпка.
ContractStatus=Състояние на договор
ContractStatusClosed=Затворен
@ -179,6 +183,7 @@ ProductIsUsed=Този продукт е използван
NewRefForClone=Реф. на нов продукт/услуга
CustomerPrices=Цени за клиенти
SuppliersPrices=Цени на доставцици
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Customs code
CountryOrigin=Държава на произход
HiddenIntoCombo=Hidden into select lists
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Auto consumed by production
ProductBuilded=Production completed
ProductsMultiPrice=Product multi-price
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1st. Quarter

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=This is list of all opened supplier orders
Replenishments=Попълване
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
MassMovement=Mass movement
MassStockMovement=Mass stock movement
SelectProductInAndOutWareHouse=Select a product, a quantity, a source warehouse and a target warehouse, then click "%s". Once this is done for all required movements, click onto "%s".
RecordMovement=Record transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Parameter %s
LocalisationDolibarrParameters=Localisation parameters
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=Servre OS Time Zone
OSTZ=Server OS Time Zone
PHPTZ=PHP server Time Zone
PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
ClientOffsetWithGreenwich=Klijent/browser ofset širina Greenwich-a (sekunde)
@ -233,7 +233,9 @@ OfficialWebSiteFr=French official web site
OfficialWiki=Dolibarr documentation on Wiki
OfficialDemo=Dolibarr online demo
OfficialMarketPlace=Official market place for external modules/addons
OfficialWebHostingService=Službene web hosting usluge (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),<br>take a look at the Dolibarr Wiki:<br><b><a href="%s" target="_blank">%s</a></b>
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:<br><b><a href="%s" target="_blank">%s</a></b>
HelpCenterDesc1=This area can help you to get a Help support service on Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Lista parametara mora biti kao key,value <br><br> na primjer: <br> 1,value1 <br> 2,value2 <br> 3,value33 <br> ... <br><br> Da bi lista u zavisila od druge: <br> 1,value1|parent_list_code:parent_key <br> 2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -472,7 +474,7 @@ 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
Module510Desc=Management of employees salaries and payments
Module600Name=Notifications
Module600Desc=Send notifications by email on some Dolibarr business events to third party contacts
Module700Name=Donations
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Events/tasks and agenda management
Module2500Name=Electronic Content Management
Module2500Desc=Save and share documents
Module2600Name= WebServices
Module2600Desc= Enable the Dolibarr web services server
Module2700Name= Gravatar
Module2700Desc= Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2600Name=WebServices
Module2600Desc=Enable the Dolibarr web services server
Module2700Name=Gravatar
Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2800Desc=FTP Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind conversions capabilities
Module3100Name= Skype
Module3100Desc= Dodajte Skype dugme na kartici sljedbenika / trećih strana / kontakata
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind conversions capabilities
Module3100Name=Skype
Module3100Desc=Dodajte Skype dugme na kartici sljedbenika / trećih strana / kontakata
Module5000Name=Multi-company
Module5000Desc=Allows you to manage multiple companies
Module6000Name=Workflow - Tok rada
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Dopunske atributa (naloga)
ExtraFieldsSupplierInvoices=Dopunski atributi (fakture)
ExtraFieldsProject=Dopunski atributi (projekti)
ExtraFieldsProjectTask=Dopunski atributi (zadaci)
ExtraFieldHasWrongValue=Attribut %s has a wrong value.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=only alphanumericals characters without space
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Setup of sendings by email
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Automatska detekcija nije moguća
YouUseBestDriver=Možete koristiti driver %s koji je trenutno najbolji.
YouDoNotUseBestDriver=Možete koristiti drive %s, ali driver %s se preporučava.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=Imate samo %s proizvoda/usluga u bazu podataka. To ne zahtijeva posebne optimizacije.
SearchOptim=Optimizacija pretraživanja
YouHaveXProductUseSearchOptim=Imate %s proizvod u bazu podataka. Trebalo bi dodati konstantu PRODUCT_DONOTSEARCH_ANYWHERE na 1 u Početna-Postavke-Ostalo, ograničavate pretragu na početak što je moguće za baze podataka za korištenje indeksa i trebali bi dobiti hitnu reakciju.
BrowserIsOK=Vi koristite web browser %s. Ovaj browser je ok za sigurnost i performanse.
BrowserIsKO=Vi koristite web browser %s. Poznato je da je ovaj broswer loš izbor za sigurnost, performanse i pouzdanost. Mi preporučujemo da koristite Firefox, Chrome, Opera i Safari.
XDebugInstalled=XCache je učitan.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache je učitan.
AddRefInList=Prikaz kupca/dobavljača ref u listi (odaberite listu ili combobox) i većina hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Server hosting calendar database
WebCalDatabaseName=Database name
WebCalUser=User to access database
WebCalSetupSaved=Webcalendar setup saved successfully.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
WebCalTestKo2=Connection to server '%s' with user '%s' failed.
WebCalErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be a Webcalendar database.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Vodeni žig na nacrte komercijalnih prijedloga (ništa,
OrdersSetup=Order management setup
OrdersNumberingModules=Orders numbering models
OrdersModelModule=Order documents models
HideTreadedOrders=Hide the treated or canceled orders in the list
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=To validate the order after proposal closer, makes it possible not to step by the provisional order
FreeLegalTextOnOrders=Free text on orders
WatermarkOnDraftOrders=Vodeni žig na nacrte naloga (ništa, ako je prazno)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Failed synchronization test
LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that connexion to server is correctly configured and allows LDAP udpates
LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s)
LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s)
LDAPBindOK=Connect/Authentificate to LDAP server sucessfull (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Disconnect successfull
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Disconnect failed
LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
LDAPConnectToDNFailed=Connection to DN (%s) failed
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Example : objectsid
LDAPFieldEndLastSubscription=Date of subscription end
LDAPFieldTitle=Post/Function
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP parametres are still hardcoded (in contact class)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP setup not complete (go on others tabs)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode.
LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts.
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=Option services on Debit
OptionVatDefaultDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on payments for services
OptionVatDebitOptionDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on invoice (debit) for services
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to choosed option:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=On delivery
OnPayment=On payment
OnInvoice=On invoice
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=Lista usluga pred isticanje za %s dana
ListOfServicesToExpireWithDurationNeg=Lista isteklih usluga više od %s dana
ListOfServicesToExpire=Lista usluga pred isticanje
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Predstavnik prodaje koji potpisuje ugovor

View File

@ -8,7 +8,7 @@ ImportableDatas=Importable dataset
SelectExportDataSet=Choose dataset you want to export...
SelectImportDataSet=Choose dataset you want to import...
SelectExportFields=Choose fields you want to export, or select a predefined export profile
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profil:
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Fields of source file not imported
SaveExportModel=Save this export profile if you plan to reuse it later...
SaveImportModel=Save this import profile if you plan to reuse it later...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Do not import first line of source file
NbOfSourceLines=Number of lines in source file
NowClickToTestTheImport=Check import parameters you have defined. If they are correct, click on button "<b>%s</b>" to launch a simulation of import process (no data will be changed in your database, it's only a simulation for the moment)...
RunSimulateImportFile=Launch the import simulation
FieldNeedSource=This fiels in database require a data from source file
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file
InformationOnSourceFile=Information on source file
InformationOnTargetTables=Information on target fields

View File

@ -8,7 +8,6 @@ NotActiveModCP=Morate omogućiti modul godišnji odmori da bi vidjeli ovu strani
NotConfigModCP=Morate konfigurisati modul godišnji odmori da bi vidjeli ovu stranicu. Da bi ste uradili ovo, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">kliknite ovdje<a>.
NoCPforUser=Nema te zahtjeva za godišnje odmore.
AddCP=Prijavi se za godišnji odmor
CPErrorSQL=Desila se SQL greška:
Employe=Zaposlenik
DateDebCP=Datum početka
DateFinCP=Datum završetka

View File

@ -79,6 +79,7 @@ MailtoEMail=Hyper link na e-poštu
ActivateCheckRead=Dozvoli korištenje "Ispiši se" linka
ActivateCheckReadKey=Kljul korišten za enkriptovanje linka koristi se za "Pročitaj potvrdu" i "Ispiši se" mogućnosti
EMailSentToNRecipients=E-pošta poslana %s primaocima
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=Email sent by
TextUsedInTheMessageBody=Email body
SendAcknowledgementByMail=Send Ack. by email
NoEMail=No email
NoMobilePhone=No mobile phone
Owner=Owner
DetectedVersion=Detected version
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Statistika proizvoda i usluga
ProductsStatistics=Statistika proizvoda
ProductsOnSell=Dostupni proizvodi
ProductsNotOnSell=Zastarjeli proizvodi
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Dostupne usluge
ServicesNotOnSell=Zastarjele usluge
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Interna referenca
LastRecorded=Last products/services on sell recorded
LastRecordedProductsAndServices=Last %s recorded products/services
@ -70,6 +72,8 @@ PublicPrice=Public price
CurrentPrice=Current price
NewPrice=New price
MinPrice=Minim. selling price
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount.
ContractStatus=Contract status
ContractStatusClosed=Closed
@ -179,6 +183,7 @@ ProductIsUsed=This product is used
NewRefForClone=Ref. of new product/service
CustomerPrices=Customers prices
SuppliersPrices=Suppliers prices
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Customs code
CountryOrigin=Origin country
HiddenIntoCombo=Hidden into select lists
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Auto consumed by production
ProductBuilded=Production completed
ProductsMultiPrice=Product multi-price
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1st. Quarter

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=Ovo je lista svih otvorenih narudžbi dobavljača
Replenishments=Nadopune
NbOfProductBeforePeriod=Količina proizvoda %s u zalihi prije odabranog perioda (%s)
NbOfProductAfterPeriod=Količina proizvoda %s u zalihi poslije odabranog perioda (> %s)
MassMovement=Mass movement
MassStockMovement=Masovno kretanje zalihe
SelectProductInAndOutWareHouse=Odaberite proizvod, kolilinu, izvordno skladište i ciljano skladište. zatim kliknite "%s". Kada je ovo završeno za sva potrebna kretanja, kliknite "%s".
RecordMovement=Zapiši transfer

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Variable %s
LocalisationDolibarrParameters=Paràmetres de localització
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=Zona horària Servidor SO
OSTZ=Server OS Time Zone
PHPTZ=Zona horària Servidor PHP
PHPServerOffsetWithGreenwich=Offset amb Greenwich (segons)
ClientOffsetWithGreenwich=Offset client/navegador amb Greenwich (segons)
@ -233,7 +233,9 @@ OfficialWebSiteFr=lloc web oficial francòfon
OfficialWiki=Wiki Dolibarr
OfficialDemo=Demo en línia Dolibarr
OfficialMarketPlace=Lloc oficial de mòduls complementaris i extensions
OfficialWebHostingService=Servei oficial d'allotjament (SaaS)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=Per a la documentació d'usuari, desenvolupador o Preguntes Freqüents (FAQ), consulteu el wiki Dolibarr: <br><b><a href="%s" target="_blank">%s</a></b>
ForAnswersSeeForum=Per altres qüestions o realitzar les seves pròpies consultes, pot utilitzar el fòrum Dolibarr: <br><b><a href="%s" target="_blank">%s</a></b>
HelpCenterDesc1=Aquesta aplicació, independent de Dolibarr, us permet ajudar a obtenir un servei de suport de Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Llista de selecció de table
ExtrafieldSeparator=Separador
ExtrafieldCheckBox=Casella de verificació
ExtrafieldRadio=Botó de selecció excloent
ExtrafieldParamHelpselect=La llista ha de ser en forma clau, valor<br><br> per exemple : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpcheckbox=La llista ha de ser en forma clau, valor<br><br> per exemple : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpradio=La llista ha de ser en forma clau, valor<br><br> per exemple : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Llibreria usada per a la creació d'arxius PDF
WarningUsingFPDF=Atenció: El seu arxiu <b>conf.php</b> conté la directiva <b>dolibarr_pdf_force_fpdf=1</b>. Això fa que s'usi la llibreria FPDF per generar els seus arxius PDF. Aquesta llibreria és antiga i no cobreix algunes funcionalitats (Unicode, transparència d'imatges, idiomes ciríl · lics, àrabs o asiàtics, etc.), Pel que pot tenir problemes en la generació dels PDF.<br> Per resoldre-ho, i disposar d'un suport complet de PDF, pot descarregar la <a href="http://www.tcpdf.org/" target="_blank"> llibreria TCPDF </a>, i a continuació comentar o eliminar la línia <b>$dolibarr_pdf_force_fpdf=1</b>, i afegir al seu lloc <b>$dolibarr_lib_TCPDF_PATH='ruta_a_TCPDF'</b>
@ -472,7 +474,7 @@ Module410Desc=Interface amb el calendari webcalendar
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
Module510Desc=Management of employees salaries and payments
Module600Name=Notificacions
Module600Desc=Enviament de notificacions (per correu electrònic) sobre els esdeveniments de treball Dolibarr
Module700Name=Donacions
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Gestió de l'agenda i de les accions
Module2500Name=Gestió Electrònica de Documents
Module2500Desc=Permet administrar una base de documents
Module2600Name= WebServices
Module2600Desc= Activa els serveis de servidor web services de Dolibarr
Module2700Name= Gravatar
Module2700Desc= Utilitza el servei en línia de Gravatar (www.gravatar.com) per mostrar fotos dels usuaris/membres (que es troben en els seus missatges de correu electrònic). Necessita un accés a Internet
Module2600Name=WebServices
Module2600Desc=Activa els serveis de servidor web services de Dolibarr
Module2700Name=Gravatar
Module2700Desc=Utilitza el servei en línia de Gravatar (www.gravatar.com) per mostrar fotos dels usuaris/membres (que es troben en els seus missatges de correu electrònic). Necessita un accés a Internet
Module2800Desc=Client FTP
Module2900Name= GeoIPMaxmind
Module2900Desc= Capacitats de conversió GeoIP Maxmind
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=Capacitats de conversió GeoIP Maxmind
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Multi-empresa
Module5000Desc=Permet gestionar diverses empreses
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Atributs complementaris (comandes)
ExtraFieldsSupplierInvoices=AAtributs complementaris (factures)
ExtraFieldsProject=Atributs complementaris (projets)
ExtraFieldsProjectTask=Atributs complementaris (tâches)
ExtraFieldHasWrongValue=L'atribut %s te un valor incorrecte.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=només carateres alfanumèrics sense espais
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Configuració de l'enviament per mail
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Emmagatzematge de sessions xifrades per Suhosin
ConditionIsCurrently=Actualment la condició és %s
TestNotPossibleWithCurrentBrowsers=La detecció automàtica no és possible amb el navegador actual
YouUseBestDriver=Està utilitzant el driver %s, actualment és el millor driver disponible.
YouDoNotUseBestDriver=Està utilitzant el driver %s però és recomanat l'ús del driver %s.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=Té %s productes/serveis a la base de dades. No és necessària cap optimització en particular.
SearchOptim=Cercar optimització
YouHaveXProductUseSearchOptim=Té %s productes a la base de dades. Hauria afegir la constant PRODUCT_DONOTSEARCH_ANYWHERE a 1 a Inici-Configuració-Varis, limitant la cerca al principi de la cadena que fa possible que la base de dades usi l'índex i s'obtingui una resposta immediata.
BrowserIsOK=Utilitza el navegador web %s. Aquest navegador està optimitzat per a la seguretat i el rendiment.
BrowserIsKO=Utilitza el navegador web %s. Aquest navegador és una mala opció per a la seguretat, rendiment i fiabilitat. Aconsellem fer servir Firefox, Chrome, Opera o Safari.
XDebugInstalled=XDebug està carregat.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache cau està carregat.
AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Servidor de la base de dades del calendari
WebCalDatabaseName=Nom de la base de dades
WebCalUser=Usuari amb accés a la base
WebCalSetupSaved=Les dades d'enllaç s'han desat correctament.
WebCalTestOk=La connexió al servidor '%s' a la base '%s' per l'usuari '%s' ha estat satisfactòria.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=La connexió al servidor '%s' ha estat satisfactòria, però la base '%s' no s'ha pogut comprovar.
WebCalTestKo2=La conexió al servidor '%s' per l'usuari '%s' ha fallat.
WebCalErrorConnectOkButWrongDatabase=La connexió ha sortit bé però la base no sembla ser una base webcalendar.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Marca d'aigua en pressupostos esborrany (en cas d'estar
OrdersSetup=Configuració del mòdul comandes
OrdersNumberingModules=Mòduls de numeració de les comandes
OrdersModelModule=Models de documents de comandes
HideTreadedOrders=Amaga les comandes processades o anul·lades del llistat
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=Validar la comanda després del tancament del pressupost, permet no passar per la comanda provisional
FreeLegalTextOnOrders=Text lliure en comandes
WatermarkOnDraftOrders=Marca d'aigua en comandes esborrany (en cas d'estar buit)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Prova de sincronització errònia
LDAPSynchroKOMayBePermissions=Error de la prova de sincronització. Comproveu que la connexió al servidor sigui correcta i que permet les actualitzacions LDAP
LDAPTCPConnectOK=Connexió TCP al servidor LDAP efectuada (Servidor=%s, Port=%s)
LDAPTCPConnectKO=Error de connexió TCP al servidor LDAP (Servidor=%s, Port=%s)
LDAPBindOK=Connexió/Autenticació al servidor LDAP aconseguida (Servidor=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Error de connexió/autenticació al servidor LDAP (Servidor=%s, Port=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Desconnexió realitzada
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Desconnexió fallada
LDAPConnectToDNSuccessfull=Connexió a DN (%s) realitzada
LDAPConnectToDNFailed=Connexió a DN (%s) fallada
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Exemple : objectsid
LDAPFieldEndLastSubscription=Data finalització com a membre
LDAPFieldTitle=Lloc/Funció
LDAPFieldTitleExample=Exemple:títol
LDAPParametersAreStillHardCoded=Els paràmetres LDAP són codificats en dur (a la classe contact)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=Configuració LDAP incompleta (a completar en les altres pestanyes)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador o contrasenya no indicats. Els accessos LDAP seran anònims i en només lectura.
LDAPDescContact=Aquesta pàgina permet definir el nom dels atributs de l'arbre LDAP per a cada informació dels contactes Dolibarr.
@ -1429,7 +1431,7 @@ OptionVATDefault=Estandard
OptionVATDebitOption=Opció serveis a dèbit
OptionVatDefaultDesc=La càrrega de l'IVA és: <br>-en l'enviament dels béns (en la pràctica s'usa la data de la factura)<br>-sobre el pagament pels serveis
OptionVatDebitOptionDesc=La càrrega de l'IVA és: <br>-en l'enviament dels béns en la pràctica s'usa la data de la factura<br>-sobre la facturació dels serveis
SummaryOfVatExigibilityUsedByDefault=Moment d'exigibilitat per defecte l'IVA per a l'opció escollida:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=Al lliurament
OnPayment=Al pagament
OnInvoice=A la factura
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=Llistat de serveis actius a expirar en %s die
ListOfServicesToExpireWithDurationNeg=Llistat de serveis expirats més de %s dies
ListOfServicesToExpire=Llistat de serveis actius a expirar
NoteListOfYourExpiredServices=Aquest llistat conté només els serveis de contractes de tercers dels que vostè és comercial
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Comercial signant del contracte

View File

@ -8,7 +8,7 @@ ImportableDatas=Conjunt de dades importables
SelectExportDataSet=Trieu un conjunt predefinit de dades que voleu exportar ...
SelectImportDataSet=Seleccioneu un lot de dades predefinides que desitgi importar ...
SelectExportFields=Escolliu els camps que han d'exportar, o elija un perfil d'exportació predefinit
SelectImportFields=Seleccioneu els camps a importar, o seleccioneu un perfil predefinit d'importació
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Camps de l'arxiu origen no importats
SaveExportModel=Desar aquest perfil d'exportació si voleu reutilitzar posteriorment ...
SaveImportModel=Deseu aquest perfil d'importació si el voleu reutilitzar de nou posteriorment ...
@ -81,7 +81,7 @@ DoNotImportFirstLine=No importar la primera línia del fitxer font
NbOfSourceLines=Nombre de línies de l'arxiu font
NowClickToTestTheImport=Comproveu els paràmetres d'importació establerts. Si està d'acord, feu clic al botó "<b>%s</b>" per executar una simulació d'importació (cap dada serà modificat, iinicialmente només serà una simulació)...
RunSimulateImportFile=Executar la simulació d'importació
FieldNeedSource=Aquest camp requereix obligatòriament una font de dades
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Alguns camps obligatoris no tenen camp font a l'arxiu d'origen
InformationOnSourceFile=Informació de l'arxiu origen
InformationOnTargetTables=Informació sobre els camps de destinació
@ -102,14 +102,14 @@ NbOfLinesImported=Nombre de línies correctament importades: <b>%s</b>.
DataComeFromNoWhere=El valor a inserir no correspon a cap camp de l'arxiu origen.
DataComeFromFileFieldNb=El valor a inserir es correspon al camp nombre <<b>%s</b> de l'arxiu origen.
DataComeFromIdFoundFromRef=El valor donat per el camp <b>%s</b> de l'arxiu origen serà utilitzat per trobar el ID de l'objecte pare a fer servir (l'objecte <b>%s</b> amb la referència de l'arxiu origen ha d'existir a Dolibarr).
# DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataIsInsertedInto=Les dades de l'arxiu d'origen s'inseriran en el següent camp:
DataIDSourceIsInsertedInto=L'ID de l'objecte pare trobat a partir de la dada origen, s'inserirà en el següent camp:
DataCodeIDSourceIsInsertedInto=L'id de la línia pare trobada a partir del codi, s'ha d'inserir en el següent camp:
SourceRequired=Dades d'origen obligatòries
SourceExample=Exemple de dades d'origen possibles
ExampleAnyRefFoundIntoElement=Totes les referències trobades per als elements <b>%s</b>
# ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
CSVFormatDesc=Arxiu amb format <b>Valors separats per coma</b> (.csv).<br>És un fitxer amb format de text en què els camps són separats pel caràcter [ %s ]. Si el separador es troba en el contingut d'un camp, el camp ha d'estar tancat per el caràcter [ %s ]. El caràcter d'escapament per a incloure un caràcter d'entorn en una dada és [ %s ].
Excel95FormatDesc=Arxiu amb format <b>Excel</b> (.xls)<br>Aquest és el format natiu d'Excel 95 (BIFF5).
Excel2007FormatDesc=Arxiu amb format <b>Excel</b> (.xlsx)<br>Aquest és el format natiu d'Excel 2007 (SpreadsheetML).
@ -123,10 +123,10 @@ BankCode=Codi banc
DeskCode=Codi oficina
BankAccountNumber=Número compte
BankAccountNumberKey=Dígit Control
# SpecialCode=Special code
# ExportStringFilter=%% allows replacing one or more characters in the text
# ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
# ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
SpecialCode=Special code
ExportStringFilter=%% allows replacing one or more characters in the text
ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
## filters
SelectFilterFields=Si vol aplicar un filtre sobre alguns valors, introduïu-los aquí.
FilterableFields=Camps filtrables

View File

@ -8,7 +8,6 @@ NotActiveModCP=Heu d'activar el mòdul Vacacions per veure aquesta pàgina.
NotConfigModCP=Heu de configurar el mòdul Vacacions per veure aquesta pàgina. per configurar, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">feu clic aquí</a>.
NoCPforUser=No té peticions de vacances.
AddCP=Crear petició de vacances
CPErrorSQL=S'ha produït un error de SQL:
Employe=Empleat
DateDebCP=Data inici
DateFinCP=Data fi

View File

@ -79,6 +79,7 @@ MailtoEMail=mailto email (hyperlink)
ActivateCheckRead=Activar confirmació de lectura i opció de Desubscripció
ActivateCheckReadKey=Clau usada per xifrar la URL de la confirmació de lectura i la funció de desubscripció
EMailSentToNRecipients=E-Mail enviat a %s destinataris.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=Mail enviat per
TextUsedInTheMessageBody=Text utilitzat en el cos del missatge
SendAcknowledgementByMail=Enviament rec. per e-mail
NoEMail=Sense e-mail
NoMobilePhone=No mobile phone
Owner=Propietari
DetectedVersion=Versió detectada
FollowingConstantsWillBeSubstituted=Les següents constants seran substituïdes pel seu valor corresponent.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Estadístiques productes i serveis
ProductsStatistics=Estadístiques productes
ProductsOnSell=Productes en venda o compra
ProductsNotOnSell=Productes fora de venda y compra
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Serveis en venda o compra
ServicesNotOnSell=Serveis fora de venda y compra
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Referència interna
LastRecorded=Ultims productes/serveis en venda registrats
LastRecordedProductsAndServices=Els %s darrers productes/serveis registrats
@ -70,6 +72,8 @@ PublicPrice=Preu públic
CurrentPrice=Preu actual
NewPrice=Nou preu
MinPrice=Preu de venda min.
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=El preu de venda no ha de ser inferior al mínim per a aquest producte (%s sense IVA). Aquest missatge pot estar causat per un descompte molt gran.
ContractStatus=Estat de contracte
ContractStatusClosed=Tancat
@ -179,6 +183,7 @@ ProductIsUsed=Aquest producte és utilitzat
NewRefForClone=Ref. del nou producte/servei
CustomerPrices=Preus clients
SuppliersPrices=Preus proveïdors
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Codi duaner
CountryOrigin=País d'origen
HiddenIntoCombo=Ocult en les llistes
@ -208,6 +213,7 @@ CostPmpHT=Cost de compra
ProductUsedForBuild=Auto consumit per producció
ProductBuilded=Producció completada
ProductsMultiPrice=Producte multi-preu
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1st. Quarter

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=This is list of all opened supplier orders
Replenishments=Replenishments
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
MassMovement=Mass movement
MassStockMovement=Mass stock movement
SelectProductInAndOutWareHouse=Select a product, a quantity, a source warehouse and a target warehouse, then click "%s". Once this is done for all required movements, click onto "%s".
RecordMovement=Record transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Parametr %s
LocalisationDolibarrParameters=Lokalizační parametry
ClientTZ=Časové pásmo klienta (uživatele)
ClientHour=Klientův čas (uživatelův)
OSTZ=Časové pásmo OS serveru
OSTZ=Server OS Time Zone
PHPTZ=Časové pásmo PHP serveru
PHPServerOffsetWithGreenwich=Vyrovnání PHP serveru se šířkou Greenwich (v sekundách)
ClientOffsetWithGreenwich=Vyrovnání prohlížeče se šířkou Greenwich (v sekundách)
@ -233,7 +233,9 @@ OfficialWebSiteFr=Oficiální francouzské internetové stránky
OfficialWiki=Dolibarr dokumentace na Wiki
OfficialDemo=Dolibarr on-line demo
OfficialMarketPlace=Oficiální trh pro externí moduly / addons
OfficialWebHostingService=Oficiální web hostingové služby (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=Pro uživatelskou nebo vývojářskou dokumentaci (Doc, FAQs ...) <br> navštivte Dolibarr Wiki: <br> <a href="%s" target="_blank"><b>%s</b></a>
ForAnswersSeeForum=V případě jakýchkoliv dalších dotazů nebo nápovědy použijte fórum Dolibarr: <br> <a href="%s" target="_blank"><b>%s</b></a>
HelpCenterDesc1=Tato oblast slouží k získání nápovědy a podpory systému Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Vyberte z tabulky
ExtrafieldSeparator=Oddělovač
ExtrafieldCheckBox=Zaškrtávací políčko
ExtrafieldRadio=Přepínač
ExtrafieldParamHelpselect=Seznam parametrů musí být jako klíčový, hodnota <br><br> např: <br> 1 hodnota1 <br> 2, hodnota2 <br> 3 value3 <br> ... <br><br> Aby bylo možné mít seznam v závislosti na druhého: <br> 1 hodnota1 | parent_list_code: parent_key <br> 2, hodnota2 | parent_list_code: parent_key
ExtrafieldParamHelpcheckbox=Seznam parametrů musí být jako klíčový, hodnota <br><br> např: <br> 1 hodnota1 <br> 2, hodnota2 <br> 3 value3 <br> ...
ExtrafieldParamHelpradio=Seznam parametrů musí být jako klíčový, hodnota <br><br> např: <br> 1 hodnota1 <br> 2, hodnota2 <br> 3 value3 <br> ...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Knihovna použít k vytvoření PDF
WarningUsingFPDF=Upozornění: Váš <b>conf.php</b> obsahuje direktivu <b>dolibarr_pdf_force_fpdf = 1.</b> To znamená, že můžete používat knihovnu FPDF pro generování PDF souborů. Tato knihovna je stará a nepodporuje mnoho funkcí (Unicode, obraz transparentnost, azbuka, arabské a asijské jazyky, ...), takže může dojít k chybám při generování PDF. <br> Chcete-li vyřešit tento a mají plnou podporu generování PDF, stáhněte si <a href="http://www.tcpdf.org/" target="_blank">TCPDF knihovny</a> , pak komentář nebo odebrat řádek <b>$ dolibarr_pdf_force_fpdf = 1,</b> a místo něj doplnit <b>$ dolibarr_lib_TCPDF_PATH = 'path_to_TCPDF_dir &quot;</b>
@ -472,7 +474,7 @@ Module410Desc=WebCalendar integrace
Module500Name=Zvláštní náklady (daně, sociální příspěvky a dividendy)
Module500Desc=Management of special expenses like taxes, social contribution, dividends and salaries
Module510Name=Salaries
Module510Desc=Management of empoyees salaries and payments
Module510Desc=Management of employees salaries and payments
Module600Name=Upozornění
Module600Desc=Zasílat upozornění e-mailem na některých firemních akcí Dolibarr třetích stran kontakty
Module700Name=Dary
@ -495,15 +497,15 @@ Module2400Name=Pořad jednání
Module2400Desc=Události / úkoly a agendy vedení
Module2500Name=Elektronický Redakční
Module2500Desc=Uložit a sdílet dokumenty
Module2600Name= WebServices
Module2600Desc= Povolit Dolibarr webových služeb serveru
Module2700Name= Gravatar
Module2700Desc= Pomocí on-line služby (Gravatar www.gravatar.com) ukázat fotku uživatelů / členů (nalezen s jejich e-maily). Potřebujete přístup k internetu
Module2600Name=WebServices
Module2600Desc=Povolit Dolibarr webových služeb serveru
Module2700Name=Gravatar
Module2700Desc=Pomocí on-line služby (Gravatar www.gravatar.com) ukázat fotku uživatelů / členů (nalezen s jejich e-maily). Potřebujete přístup k internetu
Module2800Desc=FTP klient
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind konverze možnosti
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind konverze možnosti
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Multi-společnost
Module5000Desc=Umožňuje spravovat více společností
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Doplňkové atributy (objednávky)
ExtraFieldsSupplierInvoices=Doplňkové atributy (faktury)
ExtraFieldsProject=Doplňkové atributy (projekty)
ExtraFieldsProjectTask=Doplňkové atributy (úkoly)
ExtraFieldHasWrongValue=Plynoucích %s má nesprávnou hodnotu.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=pouze alphanumericals znaky bez mezer
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Nastavení sendings e-mailem
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Úložiště relace šifrována Suhosin
ConditionIsCurrently=Podmínkou je v současné době %s
TestNotPossibleWithCurrentBrowsers=Automatická detekce není možné
YouUseBestDriver=Pomocí ovladače %s, že je nejlepší řidič současné době k dispozici.
YouDoNotUseBestDriver=Pomocí pohonu %s ale řidič %s je doporučeno.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=Máte jen %s produktů / služeb do databáze. To však není nutné žádné zvláštní optimalizace.
SearchOptim=Optimalizace pro vyhledávače
YouHaveXProductUseSearchOptim=Máte %s produkt do databáze. Měli byste přidat konstantní PRODUCT_DONOTSEARCH_ANYWHERE do 1 do Home-Nastavení-Ostatní, můžete omezit vyhledávání na začátku řetězce, která umožňují pro databáze používat index, a vy byste měli dostat okamžitou odpověď.
BrowserIsOK=Používáte %s webovém prohlížeči. Tento prohlížeč je v pořádku pro bezpečnost a výkon.
BrowserIsKO=Používáte %s webovém prohlížeči. Tento prohlížeč je známo, že špatná volba pro bezpečnost, výkon a spolehlivost. Jsme Doporučuji vám používat Firefox, Chrome, Operu nebo Safari.
XDebugInstalled=Xdebug est poplatek.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache načten.
AddRefInList=Displej zákazníka / dodavatele ref do seznamu (vyberte seznam nebo ComboBox) a většina z hypertextového odkazu
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Server hosting kalendář databáze
WebCalDatabaseName=Název databáze
WebCalUser=Uživatel přístup k databázi
WebCalSetupSaved=WebCalendar nastavení bylo úspěšně uloženo.
WebCalTestOk=Připojení k serveru &quot;%s&quot; na databázi &quot;%s&quot; s úspěšní uživatel &quot;%s.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Připojení k &quot;%s&quot; serveru úspěšná, ale databáze &quot;%s&quot; by nebylo možno dosáhnout.
WebCalTestKo2=Připojení k serveru &quot;%s&quot; s uživatelem &quot;%s 'se nezdařilo.
WebCalErrorConnectOkButWrongDatabase=Připojení úspěšné, ale databáze nevypadá být WebCalendar databáze.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Vodoznak na předloh návrhů komerčních (none-li pr
OrdersSetup=Objednat řízení nastavení
OrdersNumberingModules=Objednávky číslování modelů
OrdersModelModule=Objednat dokumenty modely
HideTreadedOrders=Skrýt ošetřené nebo zrušení objednávky v seznamu
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=Pro potvrzení objednávky po návrhu užší, umožňuje, aby krok za prozatímní pořadí
FreeLegalTextOnOrders=Volný text o objednávkách
WatermarkOnDraftOrders=Vodoznak na konceptech objednávek (pokud žádný prázdný)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Nepodařilo synchronizace testu
LDAPSynchroKOMayBePermissions=Nepodařilo synchronizace test. Zkontrolujte, zda je přípojka na server je správně nakonfigurován a umožňuje LDAP udpates
LDAPTCPConnectOK=TCP připojení k LDAP serveru (Server úspěšných = %s, %s port =)
LDAPTCPConnectKO=TCP připojení k LDAP serveru selhalo (Server = %s, Port = %s)
LDAPBindOK=Připojit / Authentificate k LDAP serveru (Server sucessfull = %s, Port = %s, Admin = %s, Password = %s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Připojit / Authentificate k LDAP serveru selhalo (Server = %s, Port = %s, Admin = %s, Password = %s)
LDAPUnbindSuccessfull=Odpojte úspěšné
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Odpojení se nezdařilo
LDAPConnectToDNSuccessfull=Připojení k DN (%s) úspěšná
LDAPConnectToDNFailed=Připojení k DN (%s) se nezdařila
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Příklad: objectSID
LDAPFieldEndLastSubscription=Datum ukončení předplatného
LDAPFieldTitle=Post / Funkce
LDAPFieldTitleExample=Příklad: title
LDAPParametersAreStillHardCoded=LDAP parametry jsou stále napevno (v kontaktu třídě)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=Nastavení LDAP není úplná (přejděte na záložku Ostatní)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Žádný správce nebo heslo k dispozici. LDAP přístup budou anonymní a pouze pro čtení.
LDAPDescContact=Tato stránka umožňuje definovat atributy LDAP název stromu LDAP pro každý údajům o kontaktech Dolibarr.
@ -1429,7 +1431,7 @@ OptionVATDefault=Standardní
OptionVATDebitOption=Volitelné služby na inkaso
OptionVatDefaultDesc=DPH je splatná: <br> - Na dobírku za zboží (používáme data vystavení faktury) <br> - Plateb za služby
OptionVatDebitOptionDesc=DPH je splatná: <br> - Na dobírku za zboží (používáme data vystavení faktury) <br> - Na fakturu (debetní) na služby
SummaryOfVatExigibilityUsedByDefault=Čas DPH exigibility standardně Podle požadovaného možností:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=Na dobírku
OnPayment=Na zaplacení
OnInvoice=Na faktuře
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=Seznam služeb, které vyprší v %s dnů
ListOfServicesToExpireWithDurationNeg=Seznam služeb uplynula od více než %s dnů
ListOfServicesToExpire=Seznam služeb vyprší
NoteListOfYourExpiredServices=Tento seznam obsahuje pouze služby smluv pro třetí strany si jsou propojeny jako obchodního zástupce.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Obchodní zástupce podpisu smlouvy

View File

@ -8,7 +8,7 @@ ImportableDatas=Importovatelný dataset
SelectExportDataSet=Vyberte datový soubor, který chcete exportovat ...
SelectImportDataSet=Vyberte datový soubor, který chcete importovat ...
SelectExportFields=Vyberte pole, která chcete exportovat, nebo zvolte předdefinovanou export profil
SelectImportFields=Zvolte pole zdrojových soubor, který chcete importovat a jejich cílové pole v databázi pohybem nahoru a dolů pomocí kotevních %s, nebo zvolte předdefinovanou importu Profil:
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Oblasti zdrojovém souboru nejsou dováženy
SaveExportModel=Uložit tento export profil, pokud máte v plánu znovu později ...
SaveImportModel=Uložit tuto importu profilu, pokud máte v plánu znovu později ...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Neimportujte první řádek zdrojového souboru
NbOfSourceLines=Počet řádků ve zdrojovém souboru
NowClickToTestTheImport=Kontrola parametrů importu, které jste definovali. Pokud jsou v pořádku, klikněte na tlačítko <b>&quot;%s&quot;</b> spustíte simulaci procesu importu (žádná data se změní v databázi, je to jen simulace pro tuto chvíli) ...
RunSimulateImportFile=Spusťte import simulaci
FieldNeedSource=To fiels v databázi vyžadovat jen údaje ze zdrojového souboru
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Některá povinná pole nemají zdroje z datového souboru
InformationOnSourceFile=Informace o zdrojovém souboru
InformationOnTargetTables=Informace o cílových oblastech,
@ -102,14 +102,14 @@ NbOfLinesImported=Počet řádků úspěšně importovaných: <b>%s.</b>
DataComeFromNoWhere=Hodnota vložit pochází z ničeho nic ve zdrojovém souboru.
DataComeFromFileFieldNb=Hodnota vložit pochází z <b>%s</b> číslo pole ve zdrojovém souboru.
DataComeFromIdFoundFromRef=Hodnota, která pochází z <b>%s</b> číslo pole zdrojový soubor bude použit k nalezení id nadřazený objekt používat (tedy objet <b>%s</b> který má čj. Ze zdrojového souboru musí být do Dolibarr existuje).
# DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataIsInsertedInto=Data přicházející ze zdrojového souboru budou vloženy do následujícího pole:
DataIDSourceIsInsertedInto=Id z nadřazeného objektu zjištěné na základě údajů ve zdrojovém souboru, se vloží do následujícího pole:
DataCodeIDSourceIsInsertedInto=Id mateřské linie nalezli kódu, bude vložen do následujícího políčka:
SourceRequired=Hodnota dat je povinné
SourceExample=Příklad možné hodnoty údajů
ExampleAnyRefFoundIntoElement=Veškeré ref našli prvků <b>%s</b>
# ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
CSVFormatDesc=<b>Hodnoty oddělené čárkami</b> formát souboru (. Csv). <br> Jedná se o textový formát souboru, kde jsou pole oddělena oddělovačem [%s]. Pokud oddělovač se nachází uvnitř pole obsahu je pole zaoblené charakteru kola [%s]. Útěk charakter unikat kolem znaku je %s [].
Excel95FormatDesc=<b>Excel</b> formát souboru (. Xls) <br> Toto je nativní formát aplikace Excel 95 (BIFF5).
Excel2007FormatDesc=<b>Excel</b> formát souboru (. Xlsx) <br> Toto je nativní formát aplikace Excel 2007 (SpreadsheetML).
@ -123,10 +123,10 @@ BankCode=Kód banky
DeskCode=Stůl kód
BankAccountNumber=Číslo účtu
BankAccountNumberKey=Klíč
# SpecialCode=Special code
# ExportStringFilter=%% allows replacing one or more characters in the text
# ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
# ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
SpecialCode=Special code
ExportStringFilter=%% allows replacing one or more characters in the text
ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
## filters
SelectFilterFields=Chcete-li filtrovat některé hodnoty, stačí zadat hodnoty zde.
FilterableFields=Champs Filtrables

View File

@ -8,7 +8,6 @@ NotActiveModCP=Musíte umožnit modul svátky zobrazení této stránky.
NotConfigModCP=Musíte nakonfigurovat modul dovolenou k zobrazení této stránky. Chcete-li to provést, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">klikněte sem</a> </ a> <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">.</a>
NoCPforUser=Nemáte poptávku na dovolenou.
AddCP=Použít pro dovolenou
CPErrorSQL=SQL chyba:
Employe=Zaměstnanec
DateDebCP=Datum zahájení
DateFinCP=Datum ukončení

View File

@ -79,6 +79,7 @@ MailtoEMail=Hyper odkaz na e-mail
ActivateCheckRead=Nechá se použít &quot;&quot; Unsubcribe odkaz
ActivateCheckReadKey=Tlačítko slouží pro šifrování URL využití pro &quot;přečtení&quot; a &quot;Unsubcribe&quot; funkce
EMailSentToNRecipients=Email byl odeslán na %s příjemcům.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=E-mail zaslána
TextUsedInTheMessageBody=E-mail tělo
SendAcknowledgementByMail=Poslat Ack. e-mailem
NoEMail=Žádný e-mail
NoMobilePhone=No mobile phone
Owner=Majitel
DetectedVersion=Zjištěná verze
FollowingConstantsWillBeSubstituted=Následující konstanty bude nahrazen odpovídající hodnotou.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Produkty a služby statistika
ProductsStatistics=Produkty statistiky
ProductsOnSell=Dostupné produkty
ProductsNotOnSell=Vyřazené produkty
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Dostupné služby
ServicesNotOnSell=Zastaralé služby
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Interní referenční číslo
LastRecorded=Nejnovější produkty / služby na prodeji zaznamenán
LastRecordedProductsAndServices=Poslední %s zaznamenán produktů / služeb
@ -70,6 +72,8 @@ PublicPrice=Veřejná cena
CurrentPrice=Aktuální cena
NewPrice=Nová cena
MinPrice=Minimální cena
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=Prodejní cena nesmí být nižší než minimální povolená pro tento produkt (%s bez daně). Toto hlášení se může také zobrazí, pokud zadáte příliš důležitou slevu.
ContractStatus=Stav smlouvy
ContractStatusClosed=Zavřeno
@ -179,6 +183,7 @@ ProductIsUsed=Tento produkt se používá
NewRefForClone=Ref. nového produktu / služby
CustomerPrices=Prodejní ceny
SuppliersPrices=Dodavatelská cena
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Celní kód
CountryOrigin=Země původu
HiddenIntoCombo=Skryté do vybraných seznamů
@ -208,6 +213,7 @@ CostPmpHT=Čistá hodnota VWAP
ProductUsedForBuild=Auto spotřebovány při výrobě
ProductBuilded=Výroba dokončena
ProductsMultiPrice=Produkt multi-cena
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Produkty obrat čtvrtletní VWAP
ServiceSellByQuarterHT=Služby obrat čtvrtletní VWAP
Quarter1=První. Čtvrtletí

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=Toto je seznam všech otevřených dodavatelských objed
Replenishments=Splátky
NbOfProductBeforePeriod=Množství produktů %s na skladě, než zvolené období (&lt;%s)
NbOfProductAfterPeriod=Množství produktů %s na skladě po zvolené období (&gt; %s)
MassMovement=Mass movement
MassStockMovement=Mass pohyb zásob
SelectProductInAndOutWareHouse=Vyberte produkt, množství, zdrojový sklad a cílový sklad, pak klikněte na &quot;%s&quot;. Jakmile se tak stane pro všechny požadované pohyby, klikněte na &quot;%s&quot;.
RecordMovement=Záznam transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Parameter %s
LocalisationDolibarrParameters=Lokalisering parametre
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=Tidszone Server OS
OSTZ=Server OS Time Zone
PHPTZ=Tidszone Server PHP
PHPServerOffsetWithGreenwich=Offset for PHP server bredde Greenwich (secondes)
ClientOffsetWithGreenwich=Client / Browser offset bredde Greenwich (sekunder)
@ -233,7 +233,9 @@ OfficialWebSiteFr=Fransk officielle hjemmeside
OfficialWiki=Dolibarr Wiki
OfficialDemo=Dolibarr online demo
OfficialMarketPlace=Officielle markedsplads for eksterne moduler / addons
OfficialWebHostingService=Official web hosting services (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=For brugerens eller bygherren dokumentation (doc, FAQs ...), <br> tage et kig på Dolibarr Wiki: <br> <a href="%s" target="_blank"><b> %s</b></a>
ForAnswersSeeForum=For alle andre spørgsmål / hjælpe, kan du bruge Dolibarr forum: <br> <a href="%s" target="_blank"><b> %s</b></a>
HelpCenterDesc1=Dette område kan hjælpe dig med at få et Hjælp støtte tjeneste på Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -472,7 +474,7 @@ 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
Module510Desc=Management of employees salaries and payments
Module600Name=Adviséringer
Module600Desc=Send meddelelser (via email) på Dolibarr business-arrangementer
Module700Name=Donationer
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Handlinger / opgaver og dagsorden forvaltning
Module2500Name=Elektronisk Content Management
Module2500Desc=Gemme og dele dokumenter
Module2600Name= WebServices
Module2600Desc= Aktiver Dolibarr webtjenester server
Module2700Name= Gravatar
Module2700Desc= Brug online Gravatar service (www.gravatar.com) for at vise foto af brugere / medlemmer (fundet med deres e-mails). Har brug for en internetadgang
Module2600Name=WebServices
Module2600Desc=Aktiver Dolibarr webtjenester server
Module2700Name=Gravatar
Module2700Desc=Brug online Gravatar service (www.gravatar.com) for at vise foto af brugere / medlemmer (fundet med deres e-mails). Har brug for en internetadgang
Module2800Desc=FTP Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind konverteringer kapaciteter
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind konverteringer kapaciteter
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Multi-selskab
Module5000Desc=Giver dig mulighed for at administrere flere selskaber
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Complementary attributes (orders)
ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
ExtraFieldsProject=Complementary attributes (projects)
ExtraFieldsProjectTask=Complementary attributes (tasks)
ExtraFieldHasWrongValue=Henføres %s har en forkert værdi.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=only alphanumericals characters without space
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Opsætning af sendings via e-mail
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Automatic detection not possible
YouUseBestDriver=You use driver %s that is best driver available currently.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommanded.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization.
SearchOptim=Search optimization
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance.
BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari.
XDebugInstalled=XDebug est chargé.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache is loaded.
AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Server hosting kalender database
WebCalDatabaseName=Database navn
WebCalUser=Brugeren at få adgang til databasen
WebCalSetupSaved=Webcalendar opsætning gemt.
WebCalTestOk=Forbindelse til server ' %s' på database' %s' med brugeren ' %s' succes.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Forbindelse til server ' %s' lykkes men database' %s' kunne ikke være nået.
WebCalTestKo2=Forbindelse til server ' %s' med brugeren' %s' mislykkedes.
WebCalErrorConnectOkButWrongDatabase=Forbindelsesstyring lykkedes, men databasen ikke ser sig at være en Webcalendar database.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
OrdersSetup=Ordrer «forvaltning setup
OrdersNumberingModules=Ordrer nummerressourcer moduler
OrdersModelModule=Bestil dokumenter modeller
HideTreadedOrders=Skjul behandles eller annullerede ordrer på listen
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=At validere den rækkefølge efter forslag tættere sammen, gør det muligt ikke at træde ved den foreløbige kendelse
FreeLegalTextOnOrders=Fri tekst om ordrer
WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Mislykket synkronisering test
LDAPSynchroKOMayBePermissions=Mislykket synkronisering test. Kontroller, at forbindelse til serveren er konfigureret korrekt og tillader LDAP udpates
LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=TCP forbindelse til LDAP-serveren vellykket (Server= %s, Port= %s)
LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=TCP forbindelse til LDAP-serveren mislykkedes (Server= %s, Port= %s)
LDAPBindOK=Connect/Authentificate to LDAP server sucessfull (Server=%s, Port=%s, Admin=%s, Password=Slut / Authentificate til LDAP server vellykket (Server= %s, Port= %s, Admin= %s, Password= %s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=Slut / Authentificate til LDAP-serveren mislykkedes (Server= %s, Port= %s, Admin= %s, Password= %s)
LDAPUnbindSuccessfull=Afbryd vellykket
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Afbryd mislykkedes
LDAPConnectToDNSuccessfull=Forbindelsesstyring au DN ( %s) Russie
LDAPConnectToDNFailed=Forbindelsesstyring au DN ( %s) choue
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Eksempel: objectsid
LDAPFieldEndLastSubscription=Dato for tilmelding udgangen
LDAPFieldTitle=Post / Funktion
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP parametre er stadig hardcodede (i kontakt klasse)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP-opsætning ikke komplet (gå på andre faner)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nr. administrator eller adgangskode forudsat. LDAP adgang vil være anonym og i skrivebeskyttet tilstand.
LDAPDescContact=Denne side giver dig mulighed for at definere LDAP attributter navn i LDAP træ for hver data findes på Dolibarr kontakter.
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=Mulighed tjenester sur overførselsautorisation
OptionVatDefaultDesc=Moms skyldes: <br> - Om levering / betaling for varer <br> - Bestemmelser om betalinger for tjenester
OptionVatDebitOptionDesc=Moms skyldes: <br> - Om levering / betaling for varer <br> - På fakturaen (debet) for tjenesteydelser
SummaryOfVatExigibilityUsedByDefault=Time moms forfaldstidspunkt som standard i henhold til choosed valg:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=Om levering
OnPayment=Om betaling
OnInvoice=På fakturaen
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -38,7 +38,7 @@ ConfirmCloseService=Er du sikker på du ønsker at lukke denne service med <b>da
ValidateAContract=Validere en kontrakt
ActivateService=Aktivér service
ConfirmActivateService=Er du sikker på du vil aktivere denne tjeneste med datoen <b>for %s?</b>
# RefContract=Contract reference
RefContract=Contract reference
DateContract=Kontrakt dato
DateServiceActivate=Forkyndelsesdato aktivering
DateServiceUnactivate=Forkyndelsesdato unactivation
@ -85,10 +85,12 @@ PaymentRenewContractId=Forny kontrakten linje (antal %s)
ExpiredSince=Udløbsdatoen
RelatedContracts=Relaterede kontrakter
NoExpiredServices=Ingen udløbne aktive tjenester
# ListOfServicesToExpireWithDuration=List of Services to expire in %s days
# ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
# ListOfServicesToExpire=List of Services to expire
# NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
ListOfServicesToExpireWithDuration=List of Services to expire in %s days
ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
ListOfServicesToExpire=List of Services to expire
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Salg repræsentant, der underskriver kontrakt

View File

@ -8,7 +8,7 @@ ImportableDatas=Indføres datasæt
SelectExportDataSet=Vælg datasæt, du vil eksportere ...
SelectImportDataSet=Vælg datasæt, du vil importere ...
SelectExportFields=Vælg felter, du ønsker at eksportere, eller vælg en foruddefineret eksport profil
SelectImportFields=Vælg felter, du vil importere, eller vælg en foruddefineret import profil
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Områder kildefil ikke importeret
SaveExportModel=Gem denne eksport profil hvis du planlægger at genbruge det senere ...
SaveImportModel=Gem denne import profil hvis du planlægger at genbruge det senere ...
@ -64,7 +64,7 @@ ChooseFormatOfFileToImport=Vælg fil-format til brug som import filformat ved at
ChooseFileToImport=Vælg fil for at importere og klik derefter på picto %s ...
SourceFileFormat=Kilde filformat
FieldsInSourceFile=Områder i kildefilen
# FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory)
FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory)
Field=Field
NoFields=Ingen felter
MoveField=Flyt feltet kolonne nummer %s
@ -81,7 +81,7 @@ DoNotImportFirstLine=Importer ikke første linje i kildefilen
NbOfSourceLines=Antal linjer i kildefilen
NowClickToTestTheImport=Check import parametre, som du har defineret. Hvis de er korrekte, skal du klikke på knappen <b>"%s"</b> for at starte en simulering af import-processen (ingen data vil blive ændret i databasen, er det kun en simulation for øjeblikket) ...
RunSimulateImportFile=Start import simulation
FieldNeedSource=Dette finder i database kræver en data fra kildefil
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Nogle obligatoriske felter er ingen kilde fra datafil
InformationOnSourceFile=Oplysninger om kildefil
InformationOnTargetTables=Oplysninger om målet felter
@ -102,33 +102,33 @@ NbOfLinesImported=Antallet af linjer med held importeret: <b>%s.</b>
DataComeFromNoWhere=Værdi at indsætte kommer fra ingenting i kildefilen.
DataComeFromFileFieldNb=Værdi at indsætte kommer fra feltnummer <b>%s</b> i kildefilen.
DataComeFromIdFoundFromRef=Værdi, der kommer fra feltnummer <b>%s</b> af kildefilen vil blive brugt til at finde id af overordnede objekt til brug (Altså den objet <b>%s,</b> der har ref. Fra kildefilen skal findes i Dolibarr).
# DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataIsInsertedInto=Data kommer fra kildefilen vil blive indsat i følgende felt:
DataIDSourceIsInsertedInto=Den id af overordnede objekt findes ved brug af data i kildefilen, vil blive indsat i følgende felt:
DataCodeIDSourceIsInsertedInto=Den id stamlinjen fundet fra kode, vil blive indsat i følgende felt:
SourceRequired=Data værdi er obligatorisk
SourceExample=Eksempel på mulige dataværdi
ExampleAnyRefFoundIntoElement=Enhver ref fundet for element <b>%s</b>
# ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
CSVFormatDesc=<b>Semikolonseparerede Værdi</b> filformat (. Csv). <br> Dette er en tekstfil format, hvor felterne er adskilt af separator [%s]. Hvis separator er fundet inde i et felt indhold, er området afrundet med runde karakter [%s]. Escape character at flygte runde karakter er [%s].
# Excel95FormatDesc=<b>Excel</b> file format (.xls)<br>This is native Excel 95 format (BIFF5).
# Excel2007FormatDesc=<b>Excel</b> file format (.xlsx)<br>This is native Excel 2007 format (SpreadsheetML).
# TsvFormatDesc=<b>Tab Separated Value</b> file format (.tsv)<br>This is a text file format where fields are separated by a tabulator [tab].
# ExportFieldAutomaticallyAdded=Field <b>%s</b> was automatically added. It will avoid you to have similar lines to be treated as duplicate records (with this field added, all lines will own their own id and will differ).
# CsvOptions=Csv Options
# Separator=Separator
# Enclosure=Enclosure
# SuppliersProducts=Suppliers Products
Excel95FormatDesc=<b>Excel</b> file format (.xls)<br>This is native Excel 95 format (BIFF5).
Excel2007FormatDesc=<b>Excel</b> file format (.xlsx)<br>This is native Excel 2007 format (SpreadsheetML).
TsvFormatDesc=<b>Tab Separated Value</b> file format (.tsv)<br>This is a text file format where fields are separated by a tabulator [tab].
ExportFieldAutomaticallyAdded=Field <b>%s</b> was automatically added. It will avoid you to have similar lines to be treated as duplicate records (with this field added, all lines will own their own id and will differ).
CsvOptions=Csv Options
Separator=Separator
Enclosure=Enclosure
SuppliersProducts=Suppliers Products
BankCode=Bank-kode
DeskCode=Skrivebord kode
BankAccountNumber=Kontonummer
BankAccountNumberKey=Nøgle
# SpecialCode=Special code
# ExportStringFilter=%% allows replacing one or more characters in the text
# ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
# ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
SpecialCode=Special code
ExportStringFilter=%% allows replacing one or more characters in the text
ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
## filters
# SelectFilterFields=If you want to filter on some values, just input values here.
# FilterableFields=Champs Filtrables
# FilteredFields=Filtered fields
# FilteredFieldsValues=Value for filter
SelectFilterFields=If you want to filter on some values, just input values here.
FilterableFields=Champs Filtrables
FilteredFields=Filtered fields
FilteredFieldsValues=Value for filter

View File

@ -8,7 +8,6 @@ NotActiveModCP=You must enable the module holidays to view this page.
NotConfigModCP=You must configure the module holidays to view this page. To do this, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> click here </ a>.
NoCPforUser=You don't have a demand for holidays.
AddCP=Apply for holidays
CPErrorSQL=An SQL error occurred:
Employe=Employee
DateDebCP=Startdato
DateFinCP=Slutdato

View File

@ -79,6 +79,7 @@ MailtoEMail=Hyper link to email
ActivateCheckRead=Allow to use the "Unsubcribe" link
ActivateCheckReadKey=Key use to encrypt URL use for "Read Receipt" and "Unsubcribe" feature
EMailSentToNRecipients=EMail sent to %s recipients.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -196,7 +196,7 @@ Description=Beskrivelse
Designation=Beskrivelse
Model=Model
DefaultModel=Standard model
Action=Action
Action=Begivenhed
About=Om
Number=Antal
NumberByMonth=Antal efter måned
@ -204,16 +204,16 @@ AmountByMonth=Beløb efter måned
Numero=Numero
Limit=Limit
Limits=Grænseværdier
DevelopmentTeam=Development Team
Logout=Logout
DevelopmentTeam=Udviklingshold
Logout=Log ud
NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
Connection=Forbindelsesstyring
Setup=Setup
Alert=Alert
Alert=Alarm
Previous=Forrige
Next=Næste
Cards=Postkort
Card=Card
Card=Kort
Now=Nu
Date=Dato
DateStart=Dato start
@ -551,6 +551,7 @@ MailSentBy=E-mail sendt fra
TextUsedInTheMessageBody=Email organ
SendAcknowledgementByMail=Send Ack. via e-mail
NoEMail=Ingen e-mail
NoMobilePhone=No mobile phone
Owner=Ejer
DetectedVersion=Registreret version
FollowingConstantsWillBeSubstituted=Efter konstanterne skal erstatte med tilsvarende værdi.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Produkter og services statistik
ProductsStatistics=Produkter statistik
ProductsOnSell=Produkter på sælge
ProductsNotOnSell=Produkter ud af sælge
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Tjenester på sælge
ServicesNotOnSell=Tjenester ud af sælge
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Intern reference
LastRecorded=Seneste produkter / ydelser på sælge registreres
LastRecordedProductsAndServices=Seneste %s precorded rodukter / tjenester
@ -70,6 +72,8 @@ PublicPrice=Offentlige pris
CurrentPrice=Nuværende pris
NewPrice=Ny pris
MinPrice=Minim. salgspris
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere end minimum tilladt for dette produkt ( %s uden skat)
ContractStatus=Kontrakt status
ContractStatusClosed=Lukket
@ -179,6 +183,7 @@ ProductIsUsed=Dette produkt er brugt
NewRefForClone=Ref. af nye produkter / ydelser
CustomerPrices=Kunder priser
SuppliersPrices=Leverandører priser
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Toldkodeksen
CountryOrigin=Oprindelsesland
HiddenIntoCombo=Skjult i udvalgte lister
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Auto consumed by production
ProductBuilded=Production completed
ProductsMultiPrice=Product multi-price
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1st. Quarter

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=This is list of all opened supplier orders
Replenishments=Replenishments
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
MassMovement=Mass movement
MassStockMovement=Mass stock movement
SelectProductInAndOutWareHouse=Select a product, a quantity, a source warehouse and a target warehouse, then click "%s". Once this is done for all required movements, click onto "%s".
RecordMovement=Record transfert

View File

@ -73,7 +73,7 @@ Mask=Maske
NextValue=Nächster Wert
NextValueForInvoices=Nächster Wert (Rechnungen)
NextValueForCreditNotes=Nächster Wert (Gutschriften)
NextValueForDeposit=Next value (deposit)
NextValueForDeposit=Nächster Wert (Scheck)
NextValueForReplacements=Next value (replacements)
MustBeLowerThanPHPLimit=Hinweis: Ihre PHP-Einstellungen beschränken die Größe für Dateiuploads auf <b>%s</b>%s
NoMaxSizeByPHPLimit=Hinweis: In Ihren PHP-Einstellungen sind keine Größenbeschränkungen hinterlegt
@ -102,9 +102,9 @@ OtherOptions=Andere Optionen
OtherSetup=Andere Einstellungen
CurrentValueSeparatorDecimal=Dezimaltrennzeichen
CurrentValueSeparatorThousand=Tausendertrennzeichen
Destination=Destination
IdModule=Module ID
IdPermissions=Permissions ID
Destination=Ziel
IdModule=Modul ID
IdPermissions=Berechtigungs-ID
Modules=Module
ModulesCommon=Hauptmodule
ModulesOther=Weitere Module
@ -234,6 +234,8 @@ OfficialWiki=Dolibarr Wiki
OfficialDemo=Dolibarr Offizielle Demo
OfficialMarketPlace=Offizieller Marktplatz für Module/Erweiterungen
OfficialWebHostingService=Offizielle Web-Hosting-Services (Cloud Hosting)
ReferencedPreferredPartners=Bevorzugte Partner
OtherResources=Andere Ressourcen
ForDocumentationSeeWiki=Für Benutzer-und Entwickler-Dokumentation (DOC, ...), FAQs <br> Werfen Sie einen Blick auf die Dolibarr Wiki: <br> <a href="%s" target="_blank"><b> %s</b></a>
ForAnswersSeeForum=Für alle anderen Fragen / Hilfe, können Sie die Dolibarr Forum: <br> <a href="%s" target="_blank"><b> %s</b></a>
HelpCenterDesc1=In diesem Bereich können Sie sich ein Hilfe-Support-Service auf Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Wähle von Tabelle
ExtrafieldSeparator=Trennzeichen
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Parameterlisten müssen das Format Schlüssel,Wert haben<br><br> zum Beispiel:<br>1,Wert1<br>2,Wert2<br>3,Wert3<br>...<br><br>Um die Liste in Abhängigkeit zu einer anderen zu haben:<br>1,Wert1|parent_list_code:parent_key<br>2,Wert2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameterlisten müssen das Format Schlüssel,Wert haben<br><br> zum Beispiel:<br>1,Wert1<br>2,Wert2<br>3,Wert3<br>...
ExtrafieldParamHelpradio=Parameterlisten müssen das Format Schlüssel,Wert haben<br><br> zum Beispiel:<br>1,Wert1<br>2,Wert2<br>3,Wert3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Verwendete Bibliothek zur PDF-Erzeugung
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Maßnahmen/Aufgaben und Agendaverwaltung
Module2500Name=Inhaltsverwaltung(ECM)
Module2500Desc=Speicherung und Verteilung von Dokumenten
Module2600Name= WebServices
Module2600Desc= Aktivieren Sie Verwendung von Webservices
Module2700Name= Gravatar
Module2700Desc= Verwenden Sie den online Gravatar-Dienst (www.gravatar.com) für die Anzeige von Benutzer- und Mitgliederbildern (Zuordnung über E-Mail-Adressen). Hierfür benötigen Sie eine aktive Internetverbindung
Module2600Name=WebServices
Module2600Desc=Aktivieren Sie Verwendung von Webservices
Module2700Name=Gravatar
Module2700Desc=Verwenden Sie den online Gravatar-Dienst (www.gravatar.com) für die Anzeige von Benutzer- und Mitgliederbildern (Zuordnung über E-Mail-Adressen). Hierfür benötigen Sie eine aktive Internetverbindung
Module2800Desc=FTP-Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind Konvertierung
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind Konvertierung
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Mandantenfähigkeit
Module5000Desc=Ermöglicht Ihnen die Verwaltung mehrerer Firmen
Module6000Name=Workflow
@ -524,7 +526,7 @@ Module59000Name=Gewinnspannen
Module59000Desc=Modul zur Verwaltung von Gewinnspannen
Module60000Name=Kommissionen
Module60000Desc=Modul zur Verwaltung von Kommissionen
Module150010Name=Batch number, eat-by date and sell-by date
Module150010Name=Batch-Nummer, verzehren-bis-Datum und verkaufen-bis-Datum
Module150010Desc=batch number, eat-by date and sell-by date management for product
Permission11=Rechnungen einsehen
Permission12=Rechnungen erstellen/bearbeiten
@ -744,7 +746,7 @@ Permission59001=Read commercial margins
Permission59002=Define commercial margins
DictionaryCompanyType=Partnertyp
DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
DictionaryProspectLevel=Prospect potential level
DictionaryProspectLevel=Geschäftsaussicht
DictionaryCanton=Bundesland/Kanton
DictionaryRegion=Regionen
DictionaryCountry=Länder
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Ergänzende Attribute (Bestellungen)
ExtraFieldsSupplierInvoices=Ergänzende Attribute (Rechnungen)
ExtraFieldsProject=Ergänzende Attribute (Projekte)
ExtraFieldsProjectTask=Ergänzende Attribute (Aufgaben)
ExtraFieldHasWrongValue=Attribut %s einen falschen Wert hat.
ExtraFieldHasWrongValue=Attribut %s hat einen falschen Wert.
AlphaNumOnlyCharsAndNoSpace=nur alphanumericals Zeichen ohne Leerzeichen
AlphaNumOnlyLowerCharsAndNoSpace=nur Kleinbuchstaben und Zahlen, keine Leerzeichen
SendingMailSetup=Einrichten von Sendungen per E-Mail
@ -1018,7 +1020,7 @@ SuhosinSessionEncrypt=Sitzungsspeicher durch Suhosin verschlüsselt
ConditionIsCurrently=Einstellung ist aktuell %s
TestNotPossibleWithCurrentBrowsers=Automatische Erkennung nicht möglich
YouUseBestDriver=Sie verwenden den Treiber %s, dies ist derzeit der beste verfügbare.
YouDoNotUseBestDriver=Sie verwenden Treiber %s, aber der Treiber %s wird empfohlen.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=Sie haben nur %s Produkte/Dienstleistungen in der Datenbank. Daher ist keine bestimmte Optimierung erforderlich.
SearchOptim=Such Optimierung
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Wasserzeichen auf Angebotsentwürfen (keins, falls leer
OrdersSetup=Bestellverwaltungseinstellungen
OrdersNumberingModules=Bestellnumerierungs-Module
OrdersModelModule=Bestellvorlagenmodule
HideTreadedOrders=Ausblenden von bearbeiteten oder abgebrochenen Angebote in der Liste
HideTreadedOrders=Ausblenden von bearbeiteten oder abgebrochenen Angeboten in der Liste
ValidOrderAfterPropalClosed=Zur Freigabe der Bestellung nach Schließung des Angebots (überspringt vorläufige Bestellung)
FreeLegalTextOnOrders=Freier Rechtstext auf Bestellungen
WatermarkOnDraftOrders=Wasserzeichen auf Entwürfen von Aufträgen (keins, wenn leer)
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=MwSt.Last-Option
OptionVatDefaultDesc=Mehrwertsteuerschuld entsteht: <br>- Bei Lieferung/Zahlung für Waren<br>- Bei Zahlung für Dienstleistungen
OptionVatDebitOptionDesc=Mehrwertsteuerschuld entsteht: <br>- Bei Lieferung/Zahlung für Waren<br>- Bei Rechnungslegung (Lastschrift) für Dienstleistungen
SummaryOfVatExigibilityUsedByDefault=Standardmäßiger Zeitpunkt der MwSt.-Fälligkeit in Abhängigkeit der derzeit gewählten Option:
SummaryOfVatExigibilityUsedByDefault=Standardmäßiger Zeitpunkt der MwSt.-Fälligkeit in Abhängigkeit zur derzeit gewählten Option:
OnDelivery=Bei Lieferung
OnPayment=Bei Zahlung
OnInvoice=Bei Rechnungslegung
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####
@ -1483,7 +1485,7 @@ SuppliersInvoiceModel=Vollständige Vorlage der Lieferantenrechnung (logo. ..)
SuppliersInvoiceNumberingModel=Lieferantenrechnungen Zähl-Modell
##### GeoIPMaxmind #####
GeoIPMaxmindSetup=GeoIP-Maxmind Moduleinstellungen
PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.<br>Examples:<br>/usr/local/share/GeoIP/GeoIP.dat<br>/usr/share/GeoIP/GeoIP.dat
PathToGeoIPMaxmindCountryDataFile=Pfad zur Datei mit Maxmind IP-zu-Land Übersetzung. <br>Beispiele:<br>/usr/local/share/GeoIP/GeoIP.dat<br>/usr/share/GeoIP/GeoOP.dat
NoteOnPathLocation=Bitte beachten Sie, dass Ihre IP-Länder-Datei in einem von PHP lesbaren Verzeichnis liegen muss (Überprüfen Sie Ihre PHP open_basedir-Einstellungen und die Dateisystem-Berechtigungen).
YouCanDownloadFreeDatFileTo=Eine <b>kostenlose Demo-Version</b> der Maxmind-GeoIP Datei finden Sie hier: %s
YouCanDownloadAdvancedDatFileTo=Eine <b>vollständigere Version mit Updates</b> der Maxmind-GeoIP Datei können Sie hier herunterladen: %s

View File

@ -88,7 +88,9 @@ NoExpiredServices=Keine abgelaufen aktiven Dienste
ListOfServicesToExpireWithDuration=Liste der Leistungen die in %s Tagen ablaufen
ListOfServicesToExpireWithDurationNeg=Liste der Services die seit mehr als %s Tagen abgelaufen sind
ListOfServicesToExpire=Liste der Services die ablaufen
# NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Vertragsunterzeichnung durch Vertreter

View File

@ -8,7 +8,7 @@ ImportableDatas=Importfähige Datensätze
SelectExportDataSet=Wählen Sie den zu exportierenden Datensatz...
SelectImportDataSet=Wählen Sie den zu importierenden Datensatz...
SelectExportFields=Wählen Sie die zu exportierenden Felder oder ein vordefiniertes Exportprofil
SelectImportFields=Wählen Sie die zu importierenden Felder oder ein vordefiniertes Importprofil
SelectImportFields=Wählen Sie die Felder der Quelldatei, die Sie in die Datenbank importieren möchten und ihrem Zielbereich, indem Sie sie mit dem Anker %s nach oben und unten ziehen, oder wählen Sie ein vordefiniertes Importprofil:
NotImportedFields=Quelldateifelder nicht importiert
SaveExportModel=Speichern Sie diese Exportprofil für eine spätere Verwendung...
SaveImportModel=Speichern Sie diese Importprofil für eine spätere Verwendung...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Erste Zeile beim Import überspringen (falls Spaltennamen)
NbOfSourceLines=Zeilenanzahl in der Quelldatei
NowClickToTestTheImport=Überprüfen Sie jetzt die gewählten Importeinstellungen. Sind diese korrekt, klicken Sie bitte auf die Schaltfläche "<b>%s</b>" um einen Importvorgang zu simulieren (dabei werden noch keine Daten im System verändert, nur Testlauf) ...
RunSimulateImportFile=Importsimulation starten
FieldNeedSource=Diese Datenbankfelder erfordern entsprechende Werte in der Quelldatei
FieldNeedSource=Dieses Feld benötigt Daten aus der Quelldatei
SomeMandatoryFieldHaveNoSource=Einige erforderliche Felder haben keine Entsprechung in der Quelldatei
InformationOnSourceFile=Informationen über die Quelldatei
InformationOnTargetTables=Informationen über die Zieltabellen

View File

@ -8,7 +8,6 @@ NotActiveModCP=Sie müssen das Ferien-Modul aktivieren um diese Seite zu sehen.
NotConfigModCP=Sie müssen das Ferien-Modul konfigurieren um diese Seite zu sehen. Dazu <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> klicken Sie hier </ a>.
NoCPforUser=You don't have a demand for holidays.
AddCP=Ferienantrag
CPErrorSQL=Ein SQL Fehler ist aufgetreten:
Employe=Angestellter
DateDebCP=Vertragsbeginn
DateFinCP=Vertragsende
@ -110,16 +109,16 @@ Module27130Desc= Verwaltung der Ferien
TitleOptionMainCP=Wichtigste Ferien-Einstellungen
TitleOptionEventCP=Settings of holidays related to events
ValidEventCP=Freigeben
UpdateEventCP=Update events
UpdateEventCP=Maßnahmen aktualisieren
CreateEventCP=Erstelle
NameEventCP=Event name
OkCreateEventCP=The addition of the event went well.
ErrorCreateEventCP=Error creating the event.
UpdateEventOkCP=The update of the event went well.
ErrorUpdateEventCP=Error while updating the event.
DeleteEventCP=Delete Event
DeleteEventOkCP=The event has been deleted.
ErrorDeleteEventCP=Error while deleting the event.
NameEventCP=Titel der Maßnahme
OkCreateEventCP=Maßnahme erfolgreich zugefügt.
ErrorCreateEventCP=Fehler bei der Erstellung der Maßnahme.
UpdateEventOkCP=Maßnahme erfolgreich aktualisiert.
ErrorUpdateEventCP=Fehler bei der Aktualisierung der Maßnahme.
DeleteEventCP=Maßnahme löschen
DeleteEventOkCP=Maßnahme wurde gelöscht.
ErrorDeleteEventCP=Fehler bei der Löschung der Maßnahme.
TitleDeleteEventCP=Delete a exceptional leave
TitleCreateEventCP=Create a exceptional leave
TitleUpdateEventCP=Edit or delete a exceptional leave
@ -145,6 +144,6 @@ Permission20000=Eigene Ferien lesen
Permission20001=Anlegen/Ändern Ihrer Ferien
Permission20002=Anlegen/Ändern der Ferien für alle
Permission20003=Urlaubsanträge löschen
Permission20004=Setup users holidays
Permission20004=Benutzer-Ferien definieren
Permission20005=Review log of modified holidays
Permission20006=Read holidays monthly report

View File

@ -79,6 +79,7 @@ MailtoEMail=Verknüpfung zu E-Mail
ActivateCheckRead=Erlaube den Zugriff auf den "Abmelde"-Link
ActivateCheckReadKey=Key use to encrypt URL use for "Read Receipt" and "Unsubcribe" feature
EMailSentToNRecipients=E-Mail versandt an %s Empfänger.
XTargetsAdded=<b>%s</b> Empfänger der Liste zugefügt
EachInvoiceWillBeAttachedToEmail=Ein Dokument mit der Standard-Vorlage für Rechnungen wird erstellt und an jede E-Mail angehängt.
MailTopicSendRemindUnpaidInvoices=Zahlungserinnerung für Rechnung %s (%s)
SendRemind=Zahlungserinnerung per E-Mail senden

View File

@ -551,6 +551,7 @@ MailSentBy=E-Mail Absender
TextUsedInTheMessageBody=E-Mail Text
SendAcknowledgementByMail=Kenntnisnahme per E-Mail bestätigen
NoEMail=Keine E-Mail
NoMobilePhone=No mobile phone
Owner=Eigentümer
DetectedVersion=Erkannte Version
FollowingConstantsWillBeSubstituted=Nachfolgende Konstanten werden durch entsprechende Werte ersetzt.

View File

@ -16,7 +16,7 @@ ServiceCode=Service-Code
ProductVatMassChange=MwSt-Massenänderung
ProductVatMassChangeDesc=Mit dieser Seite kann ein Steuersatz für Produkte oder Services von einem Wert auf einen anderen geändert werden. Achtung: Diese Änderung erfolgt über die gesamte Datenbank!
MassBarcodeInit=Mass barcode init
MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete.
MassBarcodeInitDesc=Hier können Objekte mit einem Barcode initialisiert werden, die noch keinen haben. Stellen Sie vor Benutzung sicher, dass die Einstellungen des Barcode-Moduls vollständig sind!
ProductAccountancyBuyCode=Buchhaltung - Aufwandskonto
ProductAccountancySellCode=Buchhaltung - Erlöskonto
ProductOrService=Produkt oder Service
@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Produkt- und Service-Statistik
ProductsStatistics=Produktstatistik
ProductsOnSell=Verfügbare Produkte
ProductsNotOnSell=Aufgelassene Produkte
ProductsOnSellAndOnBuy=Produkte weder für Ein- noch Verkauf
ServicesOnSell=Verfügbare Services
ServicesNotOnSell=Aufgelassene Services
ServicesOnSellAndOnBuy=Services weder für Ein- noch Verkauf
InternalRef=Interne Referenz
LastRecorded=Zuletzt erfasste, verfügbare Produkte/Services
LastRecordedProductsAndServices=%s zuletzt erfasste Produkte/Services
@ -70,6 +72,8 @@ PublicPrice=Öffentlicher Preis
CurrentPrice=Aktueller Preis
NewPrice=Neuer Preis
MinPrice=Mindestverkaufspreis
MinPriceHT=Mindest-Verkaufspreis (ohne MwSt.)
MinPriceTTC=Mindest-Verkaufspreis (inkl. MwSt.)
CantBeLessThanMinPrice=Der Verkaufspreis darf den Mindestpreis für dieses Produkt (%s ohne MwSt.) nicht unterschreiten. Diese Meldung kann auch angezeigt, wenn Sie einen zu hohen Rabatt geben.
ContractStatus=Vertragsstatus
ContractStatusClosed=Geschlossen
@ -179,6 +183,7 @@ ProductIsUsed=Produkt in Verwendung
NewRefForClone=Artikel-Nr. des neuen Produkts/Leistungen
CustomerPrices=Kundenpreise
SuppliersPrices=Lieferantenpreise
SuppliersPricesOfProductsOrServices=Lieferanten-Preise (für Produkte oder Services)
CustomCode=Interner Code
CountryOrigin=Urspungsland
HiddenIntoCombo=In ausgewählten Listen nicht anzeigen
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Automatisch für Produktion verbraucht
ProductBuilded=Produktion fertiggestellt
ProductsMultiPrice=Produkt Multi-Preis
ProductsOrServiceMultiPrice=Kunden-Preise (für Produkte oder Services, Multi-Preise)
ProductSellByQuarterHT=Products turnover quarterly VWAP
ServiceSellByQuarterHT=Services turnover quarterly VWAP
Quarter1=1. Quartal

View File

@ -110,8 +110,9 @@ ForThisWarehouse=Für dieses Lager
ReplenishmentStatusDesc=Dies ist eine Liste aller Produkte, deren Lagerbestand unter dem Sollbestand liegt (bzw. unter der Alarmschwelle, wenn die Auswahlbox "Nur Alarm" gewählt ist) , die Ihnen Vorschläge für Lieferantenbestellungen liefert, um die Differenzen auszugleichen.
ReplenishmentOrdersDesc=Dies ist die Liste aller offenen Lieferantenbestellungen
Replenishments=Replenishments
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
NbOfProductBeforePeriod=Menge des Produkts %s im Lager vor der gewählten Periode (< %s)
NbOfProductAfterPeriod=Menge des Produkts %s im Lager nach der gewählten Periode (> %s)
MassMovement=Mass movement
MassStockMovement=Massen-Umlagerung
SelectProductInAndOutWareHouse=Wählen Sie ein Produkt, eine Menge, ein Quellen- und ein Ziel-Lager und klicken Sie dann auf "%s". Sobald Sie dies für alle erforderlichen Bewegungen getan haben, klicken Sie auf "%s".
RecordMovement=Record transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Παράμετρος %s
LocalisationDolibarrParameters=Παράμετροι τοπικών ρυθμίσεων
ClientTZ=Ζώνη Ώρας client (χρήστης)
ClientHour=Ωρα client (χρήστης)
OSTZ=Ζώνη Ώρας OS server
OSTZ=Server OS Time Zone
PHPTZ=Ζώνη Ώρας PHP server
PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
@ -233,7 +233,9 @@ OfficialWebSiteFr=French official web site
OfficialWiki=Dolibarr documentation on Wiki
OfficialDemo=Dolibarr online demo
OfficialMarketPlace=Official market place for external modules/addons
OfficialWebHostingService=Επίσημη υπηρεσίες web hosting (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),<br>take a look at the Dolibarr Wiki:<br><b><a href="%s" target="_blank">%s</a></b>
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:<br><b><a href="%s" target="_blank">%s</a></b>
HelpCenterDesc1=This area can help you to get a Help support service on Dolibarr.
@ -282,7 +284,7 @@ ThisIsProcessToFollow=This is setup to process:
StepNb=Βήμα %s
FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
DownloadPackageFromWebSite=Μεταφόρτωση πακέτου.
UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr's root directory <b>%s</b>
UnpackPackageInDolibarrRoot=Αποσυμπίεσε το αρχείο εκεί που βρίσκεται η εγκατάσταση του Dolibarr <b>%s</b>
SetupIsReadyForUse=Install is finished and Dolibarr is ready to use with this new component.
NotExistsDirect=The alternative root directory is not defined.<br>
InfDirAlt=Since version 3 it is possible to define an alternative root directory.This allows you to store, same place, plug-ins and custom templates.<br>Just create a directory at the root of Dolibarr (eg: custom).<br>
@ -369,10 +371,10 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Λίστα Παραμέτρων που προέρχεται από έναν πίνακα<br>σύνταξη : table_name:label_field:id_field::filter<br>παράδειγμα: c_typent:libelle:id::filter<br><br>φίλτρο μπορεί να είναι μια απλή δοκιμή (eg active=1) για να εμφανίσετε μόνο μία ενεργό τιμή <br> αν θέλετε να φιλτράρετε extrafields χρησιμοποιήστε τη σύνταξη extra.fieldcode=... (όπου κωδικός πεδίου είναι ο κωδικός του extrafield)<br><br>Προκειμένου να έχει τον κατάλογο ανάλογα με ένα άλλο :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
LocalTaxDesc=Some countries apply 2 or 3 taxes on each invoice line. If this is the case, choose type for second and third tax and its rate. Possible type are:<br>1 : local tax apply on products and services without vat (vat is not applied on local tax)<br>2 : local tax apply on products and services before vat (vat is calculated on amount + localtax)<br>3 : local tax apply on products without vat (vat is not applied on local tax)<br>4 : local tax apply on products before vat (vat is calculated on amount + localtax)<br>5 : local tax apply on services without vat (vat is not applied on local tax)<br>6 : local tax apply on services before vat (vat is calculated on amount + localtax)
@ -472,7 +474,7 @@ Module410Desc=Webcalendar integration
Module500Name=Ειδικά έξοδα (φόροι, εισφορές κοινωνικής ασφάλισης, μερίσματα)
Module500Desc=Διαχείριση των ειδικών δαπανών, όπως οι φόροι, κοινωνικές εισφορές, μερίσματα και μισθούς
Module510Name=Μισθοί
Module510Desc=Διαχείριση μισθών και πληρωμών των υπαλλήλων
Module510Desc=Management of employees salaries and payments
Module600Name=Notifications
Module600Desc=Send notifications by email on some Dolibarr business events to third party contacts
Module700Name=Δωρεές
@ -495,15 +497,15 @@ Module2400Name=Ατζέντα
Module2400Desc=Events/tasks and agenda management
Module2500Name=Electronic Content Management
Module2500Desc=Save and share documents
Module2600Name= WebServices
Module2600Desc= Enable the Dolibarr web services server
Module2700Name= Gravatar
Module2700Desc= Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2600Name=WebServices
Module2600Desc=Enable the Dolibarr web services server
Module2700Name=Gravatar
Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2800Desc=FTP Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind conversions capabilities
Module3100Name= Skype
Module3100Desc= Προσθήκη του κουμπιού skype στην κάρτα επαφών
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind conversions capabilities
Module3100Name=Skype
Module3100Desc=Προσθήκη του κουμπιού skype στην κάρτα επαφών
Module5000Name=Multi-company
Module5000Desc=Allows you to manage multiple companies
Module6000Name=Ροή εργασίας
@ -768,7 +770,7 @@ DictionarySource=Προέλευση των προτάσεων/παραγγελι
DictionaryAccountancyplan=Λογιστικό σχέδιο
DictionaryAccountancysystem=Μοντέλα λογιστικού σχεδίου
SetupSaved=Οι ρυθμίσεις αποθηκεύτηκαν
BackToModuleList=Back to modules list
BackToModuleList=Πίσω στη λίστα με τα modules
BackToDictionaryList=Επιστροφή στη λίστα λεξικών
VATReceivedOnly=Special rate not charged
VATManagement=Διαχείριση Φ.Π.Α.
@ -777,7 +779,7 @@ VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases li
VATIsUsedExampleFR=In France, it means companies or organisations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared.
VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organisations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices.
##### Local Taxes #####
LocalTax1IsUsed=Use second tax
LocalTax1IsUsed=Δεύτερος Φόρος Προστιθέμενης Αξίας
LocalTax1IsNotUsed=Do not use second tax
LocalTax1IsUsedDesc=Use a second type of tax (other than VAT)
LocalTax1IsNotUsedDesc=Do not use other type of tax (other than VAT)
@ -807,7 +809,7 @@ NbOfDays=Πλήθος Ημερών
AtEndOfMonth=Στο τέλος του μήνα
Offset=Απόκλιση
AlwaysActive=Πάντα εν ενεργεία
UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
UpdateRequired=Υπάρχει νεότερη έκδοση. Για να λάβεις τη νέα έκδοση, κάνε λήψη εδώ <a href="%s">Update now</a>.
Upgrade=Αναβάθμιση
MenuUpgrade=Αναβάθμιση / Επέκταση
AddExtensionThemeModuleOrOther=Προσθήκη Αρθρώματος (θέμα, άρθρωμα, ...)
@ -852,7 +854,7 @@ MenuCompanySetup=Εταιρία/Οργανισμός
MenuNewUser=Νέος χρήστης
MenuTopManager=Διαχειριστής μενού κορυφής
MenuLeftManager=Διαχειριστής αριστερού μενού
MenuManager=Menu manager
MenuManager=Διαχείριση Μενού
MenuSmartphoneManager=Smartphone menu manager
DefaultMenuTopManager=Διαχειριστής μενού κορυφής
DefaultMenuLeftManager=Διαχειριστής αριστερού μενού
@ -943,12 +945,12 @@ OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Adm
MiscellaneousDesc=Define here all other parameters related to security.
LimitsSetup=Limits/Precision setup
LimitsDesc=You can define limits, precisions and optimisations used by Dolibarr here
MAIN_MAX_DECIMALS_UNIT=Max decimals for unit prices
MAIN_MAX_DECIMALS_TOT=Max decimals for total prices
MAIN_MAX_DECIMALS_UNIT=Χρήση Δεκαδικών ψηφίων στις τιμές ειδών
MAIN_MAX_DECIMALS_TOT=μέγιστος αριθμός δεκαδικών στη συνολική πληρωτέα τιμή
MAIN_MAX_DECIMALS_SHOWN=Max decimals for prices shown on screen (Add <b>...</b> after this number if you want to see <b>...</b> when number is truncated when shown on screen)
MAIN_DISABLE_PDF_COMPRESSION=Use PDF compression for generated PDF files.
MAIN_ROUNDING_RULE_TOT= Size of rounding range (for rare countries where rounding is done on something else than base 10)
UnitPriceOfProduct=Net unit price of a product
UnitPriceOfProduct=Καθαρή τιμή επί του προϊόντος
TotalPriceAfterRounding=Total price (net/vat/incl tax) after rounding
ParameterActiveForNextInputOnly=Parameter effective for next input only
NoEventOrNoAuditSetup=No security event has been recorded yet. This can be normal if audit has not been enabled on "setup - security - audit" page.
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Complementary attributes (orders)
ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
ExtraFieldsProject=Complementary attributes (projects)
ExtraFieldsProjectTask=Complementary attributes (tasks)
ExtraFieldHasWrongValue=Αποδοθούν %s έχει λάθος τιμή.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=only alphanumericals characters without space
AlphaNumOnlyLowerCharsAndNoSpace=μόνο αλφαριθμητικά και πεζά γράμματα χωρίς κενά
SendingMailSetup=Ρύθμιση του e-mail σας αποστολές από
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Αυτόματη ανίχνευση δεν είναι δυνατή
YouUseBestDriver=Μπορείτε να χρησιμοποιήσετε το πρόγραμμα οδήγησης %s που είναι καλύτερος οδηγός που διατίθεται σήμερα.
YouDoNotUseBestDriver=Μπορείτε να χρησιμοποιήσετε το πρόγραμμα οδήγησης %s αλλά και του οδηγού %s συνιστάται.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization.
SearchOptim=Βελτιστοποίηση αναζήτησης
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance.
BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari.
XDebugInstalled=Xdebug είναι φορτωμένο.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache είναι φορτωμένο.
AddRefInList=Οθόνη πελάτη / προμηθευτή ref στη λίστα (επιλέξτε λίστα ή combobox) και τα περισσότερα από hyperlink
FieldEdition=Έκδοση στο πεδίο %s
@ -1073,7 +1075,7 @@ WebCalServer=Server hosting calendar database
WebCalDatabaseName=Όνομα βάσης δεδομένων
WebCalUser=User to access database
WebCalSetupSaved=Webcalendar setup saved successfully.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
WebCalTestKo2=Connection to server '%s' with user '%s' failed.
WebCalErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be a Webcalendar database.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
OrdersSetup=Order management setup
OrdersNumberingModules=Orders numbering models
OrdersModelModule=Order documents models
HideTreadedOrders=Hide the treated or canceled orders in the list
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=To validate the order after proposal closer, makes it possible not to step by the provisional order
FreeLegalTextOnOrders=Free text on orders
WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Failed synchronization test
LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that connexion to server is correctly configured and allows LDAP udpates
LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s)
LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s)
LDAPBindOK=Connect/Authentificate to LDAP server sucessfull (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Disconnect successfull
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Disconnect failed
LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
LDAPConnectToDNFailed=Connection to DN (%s) failed
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Example : objectsid
LDAPFieldEndLastSubscription=Date of subscription end
LDAPFieldTitle=Post/Function
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP parametres are still hardcoded (in contact class)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP setup not complete (go on others tabs)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode.
LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts.
@ -1286,7 +1288,7 @@ PerfDolibarr=Επιδόσεις ρύθμισης/βελτιστοποίηση τ
YouMayFindPerfAdviceHere=Θα βρείτε σε αυτή τη σελίδα ορισμένους ελέγχους ή συμβουλές που σχετίζονται με την απόδοση.
NotInstalled=Δεν έχει εγκατασταθεί, οπότε ο server σας δεν έχει επιβραδυνθεί από αυτό.
ApplicativeCache=Εφαρμογή Cache
MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.<br>More information here <a href="http://wiki.dolibarr.org/index.php/Module_MemCached_EN">http://wiki.dolibarr.org/index.php/Module_MemCached_EN</a>.<br>Note that a lot of web hosting provider does not provide such cache server.
MemcachedNotAvailable=Δεν βρέθηκε applicative προσωρινή μνήμη. Μπορείτε να βελτιώσετε την απόδοση με την εγκατάσταση ενός Memcached διακομιστή προσωρινής μνήμης και ένα module θα είναι σε θέση να χρησιμοποίηση το διακομιστή προσωρινής μνήμης.<br>Περισσότερες πληροφορίες εδώ <a href="http://wiki.dolibarr.org/index.php/Module_MemCached_EN">http://wiki.dolibarr.org/index.php/Module_MemCached_EN</a>.<br>Σημειώστε ότι πολλοί πάροχοι web hosting δεν παρέχουν διακομιστή cache.
MemcachedModuleAvailableButNotSetup=Το module memcached για εφαρμογή cache βρέθηκε, αλλά η εγκατάσταση του module δεν είναι πλήρης.
MemcachedAvailableAndSetup=Το module memcache προορίζεται για χρήση memcached του διακομιστή όταν είναι ενεργοποιημένη.
OPCodeCache=OPCode cache
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=Option services on Debit
OptionVatDefaultDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on payments for services
OptionVatDebitOptionDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on invoice (debit) for services
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to choosed option:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=Κατά την αποστολή
OnPayment=Κατά την πληρωμή
OnInvoice=Κατά την έκδοση τιμ/γίου
@ -1446,7 +1448,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=Χρησιμοποιήστε τα γεγονότα είδη (διαχείριση σε μενού Setup -> dictionnary -> Τύπος γεγονότα της ημερήσιας διάταξης)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -23,7 +23,7 @@ InvoiceProFormaAsk=Προτιμολόγιο
InvoiceProFormaDesc=Το <b>Προτιμολόγιο</b> είναι η εικόνα ενός πραγματικού τιμολογίου, χωρίς όμως να έχει χρηματική αξία
InvoiceReplacement=Τιμολόγιο Αντικατάστασης
InvoiceReplacementAsk=Αντικατάσταση τιμολογίου με
InvoiceReplacementDesc=<b>Replacement invoice</b> is used to cancel and replace completely an invoice with no payment already received.<br><br>Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'.
InvoiceReplacementDesc=<b>Τιμολόγιο αντικατάστασης</b> χρησιμοποιείται για να ακυρώσει και να αντικαταστήσει πλήρως ένα απλήρωτο τιμολόγιο.<br><br>Σημείωση: Μόνο τα τιμολόγια χωρίς καμία πληρωμή μπορούν να αντικατασταθούν. Εάν το τιμολόγιο που θα αντικατασταθεί δεν έχει κλείσει, θα κλείσει αυτόματα και θα σημειωθεί «εγκαταλειμμένο».
InvoiceAvoir=Πιστωτικό σημείωμα
InvoiceAvoirAsk=Πιστωτικό σημείωμα για την διόρθωση τιμολογίου
InvoiceAvoirDesc=Το <b>πιστωτικό σημείωμα</b>είναι ένα αρνητικό τιμολόγιο που χρησιμοποιείτε για να λύσει τη κατάσταση κατά την οποία το σύνολο του τιμολογίου διαφέρει από το σύνολο της πραγματικής πληρωμής (ίσως επειδή ο πελάτης πλήρωσε περισσότερα -- από λάθος, ή επειδή πλήρωσε λιγότερα και επέστρεψε κάποια προϊόντα).
@ -398,8 +398,8 @@ NoteListOfYourUnpaidInvoices=Σημείωση: Αυτή η λίστα περιέ
RevenueStamp=Revenue stamp
YouMustCreateInvoiceFromThird=Αυτή η επιλογή είναι διαθέσιμη όταν δημιουργήσετε τιμολόγιο από την καρτέλα "πελάτης" από άλλους κατασκευαστές
PDFCrabeDescription=Τιμολόγιο πρότυπο PDF Crabe. Ένα πλήρες πρότυπο τιμολογίου (συνιστώμενο πρότυπο)
TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
MarsNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for credit notes and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
TerreNumRefModelDesc1=Επιστρέψετε αριθμό με μορφή %syymm-nnnn για τυπικά τιμολόγια και %syymm-nnnn για πιστωτικά τιμολόγια όπου yy είναι το έτος, mm είναι ο μήνας και nnnn είναι μια ακολουθία αρίθμησης χωρίς διάλειμμα και χωρίς επιστροφή στο 0
MarsNumRefModelDesc1=Επιστρέψετε αριθμό με μορφή %syymm-nnnn για τυπικά τιμολόγια και %syymm-nnnn για τα τιμολόγια αντικατάστασης, %syymm-nnnn για πιστωτικά τιμολόγια και %syymm-nnnn για πιστωτικά τιμολόγια όπου yy είναι το έτος, mm είναι ο μήνας και nnnn είναι μια ακολουθία αρίθμησης χωρίς διάλειμμα και χωρίς επιστροφή στο 0
TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module.
##### Types de contacts #####
TypeContact_facture_internal_SALESREPFOLL=Representative following-up customer invoice

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=Λίστα των Υπηρεσιών λήγε
ListOfServicesToExpireWithDurationNeg=Κατάλογος των υπηρεσιών έληξε από περισσότερες, από %s ημέρες
ListOfServicesToExpire=Κατάλογος Υπηρεσιών προς λήξει
NoteListOfYourExpiredServices=Αυτή η λίστα περιέχει μόνο τις υπηρεσίες των συμβάσεων για λογαριασμό ΠΕΛ./ΠΡΟΜ. που συνδέονται ως εκπρόσωπος πώληση.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Σύμβαση πώλησης υπογραφή εκπροσώπου

View File

@ -8,7 +8,7 @@ ImportableDatas=Importable dataset
SelectExportDataSet=Choose dataset you want to export...
SelectImportDataSet=Choose dataset you want to import...
SelectExportFields=Choose fields you want to export, or select a predefined export profile
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profil:
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Fields of source file not imported
SaveExportModel=Save this export profile if you plan to reuse it later...
SaveImportModel=Save this import profile if you plan to reuse it later...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Do not import first line of source file
NbOfSourceLines=Number of lines in source file
NowClickToTestTheImport=Check import parameters you have defined. If they are correct, click on button "<b>%s</b>" to launch a simulation of import process (no data will be changed in your database, it's only a simulation for the moment)...
RunSimulateImportFile=Launch the import simulation
FieldNeedSource=This fiels in database require a data from source file
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file
InformationOnSourceFile=Information on source file
InformationOnTargetTables=Information on target fields

View File

@ -8,7 +8,6 @@ NotActiveModCP=Πρέπει να ενεργοποιήσετε τις άδειε
NotConfigModCP=Πρέπει να ρυθμίσετε τις άδειες στο module για να δείτε αυτή τη σελίδα. Για να το κάνετε αυτό, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> πατήστε εδώ </ a>.
NoCPforUser=Δεν υπάρχει ζήτηση για άδεια.
AddCP=Εφαρμογή για άδεια
CPErrorSQL=Παρουσιάστηκε σφάλμα στην SQL:
Employe=Εργαζόμενος
DateDebCP=Ημερ. έναρξης
DateFinCP=Ημερ. τέλους

View File

@ -1,15 +1,15 @@
# Dolibarr language file - Source file is en_US - interventions
Intervention=Παρέμβαση
Interventions=Παρεμβάσεις
InterventionCard=Κάρτα παρέμβασης
InterventionCard=Καρτέλα παρέμβασης
NewIntervention=Νέα παρέμβαση
AddIntervention=Προσθ. παρέμβασης
ListOfInterventions=Κατάλογος παρεμβάσεων
EditIntervention=Επεξεργασία παρέμβασης
ActionsOnFicheInter=Ενέργειες για την παρέμβαση
LastInterventions=Τελευταία παρεμβάσεις %s
ListOfInterventions=Λίστα παρεμβάσεων
EditIntervention=Τροποποίηση παρέμβασης
ActionsOnFicheInter=Δράσεις για την παρέμβαση
LastInterventions=Τελευταίες %s παρεμβάσεις
AllInterventions=Όλες οι παρεμβάσεις
CreateDraftIntervention=Δημιουργία σχεδίου
CreateDraftIntervention=Δημιουργία πρόχειρη
CustomerDoesNotHavePrefix=Ο πελάτης δεν έχει πρόθεμα
InterventionContact=Παρέμβαση επαφής
DeleteIntervention=Διαγραφή παρέμβασης
@ -20,23 +20,23 @@ ConfirmDeleteIntervention=Είστε σίγουροι ότι θέλετε να
ConfirmValidateIntervention=Είστε σίγουροι ότι θέλετε να κατοχυρωθεί η παρέμβαση αυτή με το όνομα <b>%s</b> ;
ConfirmModifyIntervention=Είστε σίγουροι ότι θέλετε να τροποποιήσετε αυτήν την παρέμβαση;
ConfirmDeleteInterventionLine=Είστε σίγουροι ότι θέλετε να διαγράψετε αυτή τη γραμμή παρέμβασης;
NameAndSignatureOfInternalContact=Όνομα και υπογραφή της παρέμβασης:
NameAndSignatureOfInternalContact=Όνομα και υπογραφή του παρεμβαίνοντος:
NameAndSignatureOfExternalContact=Όνομα και υπογραφή του πελάτη:
DocumentModelStandard=Βασικό μοντέλο εγγράφου για τις παρεμβάσεις
DocumentModelStandard=Τυπικό είδος εγγράφου παρέμβασης
InterventionCardsAndInterventionLines=Παρεμβάσεις και τις γραμμές των παρεμβάσεων
ClassifyBilled=Ταξινόμηση "Τιμολογημένων"
StatusInterInvoiced=Τιμολογείται
RelatedInterventions=Οι παρεμβάσεις που σχετίζονται
ShowIntervention=Εμφάνιση παρέμβασης
##### Types de contacts #####
TypeContact_fichinter_internal_INTERREPFOLL=Εκπρόσωπος που παρακολουθεί την παρέμβαση
TypeContact_fichinter_internal_INTERVENING=Παρεμβαίνοντας
TypeContact_fichinter_internal_INTERREPFOLL=Αντιπρόσωπος που παρακολουθεί την παρέμβαση
TypeContact_fichinter_internal_INTERVENING=Παρεμβαίνων
TypeContact_fichinter_external_BILLING=Χρέωση επαφής με τον πελάτη
TypeContact_fichinter_external_CUSTOMER=Σε συνέχεια επαφή με τον πελάτη
# Modele numérotation
ArcticNumRefModelDesc1=Γενικός αριθμός μοντέλου
ArcticNumRefModelError=Αποτυχία ενεργοποίησης
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.
PacificNumRefModelDesc1=Αριθμός επιστροφής με μορφή %syymm-nnnn όπυ yy το έτος, mm ο μήνας και nnnn μια ακολουθία χωρίς διακοπή και χωρίς επιστροφή στο 0.
PacificNumRefModelError=Μια καρτέλα παρέμβασης με $syymm ήδη υπάρχει και δεν είναι συμβατή με αυτή την ακολουθία. Απομακρύνετε την ή μετονομάστε την για να ενεργοποιήσετε το module.
PrintProductsOnFichinter=Εκτυπώστε προϊόντα στην κάρτα παρέμβασης
PrintProductsOnFichinterDetails=Για τις παρεμβάσεις που προέρχονται από παραγγελίες

View File

@ -79,6 +79,7 @@ MailtoEMail=Hyper σύνδεσμο σε email
ActivateCheckRead=Επιτρέπετε τη χρήση του "Unsubcribe" σύνδεσμου
ActivateCheckReadKey=Κλειδί χρήσης για την κρυπτογράφηση του URL για "Διαβάστε Παραλαβή" και "Διαγραφή" χαρακτηριστικό
EMailSentToNRecipients=EMail αποστέλλονται στους παραλήπτες %s.
XTargetsAdded=<b>%s</b> παραλήπτες που προστέθηκαν στο κατάλογο των στόχων
EachInvoiceWillBeAttachedToEmail=Ένα έγγραφο χρησιμοποιώντας το προεπιλεγμένο τιμολόγιο θα δημιουργηθεί και θα επισυνάπτεται σε κάθε email.
MailTopicSendRemindUnpaidInvoices=Υπενθύμιση του τιμολογίου %s (%s)
SendRemind=Αποστολή υπενθύμισης με EMails

View File

@ -551,6 +551,7 @@ MailSentBy=Το email στάλθηκε από
TextUsedInTheMessageBody=Κείμενο email
SendAcknowledgementByMail=Αποστολή επιβεβαίωσης με email
NoEMail=Χωρίς email
NoMobilePhone=Χωρείς κινητό τηλέφωνο
Owner=Ιδιοκτήτης
DetectedVersion=Εντοπισμένη έκδοση
FollowingConstantsWillBeSubstituted=Οι ακόλουθες σταθερές θα αντικαταστασθούν με τις αντίστοιχες τιμές

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Στατιστικά Προϊόντων και Υ
ProductsStatistics=Στατιστικά Προϊόντων
ProductsOnSell=Διαθέσιμα Προϊόντα
ProductsNotOnSell=Παρωχημένα Προϊόντα
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Διαθέσιμες Υπηρεσίες
ServicesNotOnSell=Παρωχημένες Υπηρεσίες
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Εσωτερική Παραπομπή
LastRecorded=Last products/services on sell recorded
LastRecordedProductsAndServices=%s τελευταία εγγεγραμένα προϊόντα/υπηρεσίες
@ -70,6 +72,8 @@ PublicPrice=Δημόσια Τιμή
CurrentPrice=Τρέχουσα Τιμή
NewPrice=Νέα Τιμή
MinPrice=Ελάχιστη Τιμή Πώλησης
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=Η τιμή πώλησης δεν μπορεί να είναι μικρότερη από την ορισμένη ελάχιστη τιμή πώλησης (%s χωρίς Φ.Π.Α.)
ContractStatus=Κατάσταση Συμβολαίου
ContractStatusClosed=Κλειστό
@ -179,6 +183,7 @@ ProductIsUsed=Μεταχειρισμένο
NewRefForClone=Ref. of new product/service
CustomerPrices=Τιμές πελατών
SuppliersPrices=Τιμές προμηθευτών
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Τελωνειακός Κώδικας
CountryOrigin=Χώρα προέλευσης
HiddenIntoCombo=Κρυμμένο σε λίστες επιλογής
@ -208,6 +213,7 @@ CostPmpHT=Net total VWAP
ProductUsedForBuild=Auto consumed by production
ProductBuilded=Production completed
ProductsMultiPrice=Προϊόν πολλαπλών-τιμών
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Προϊόντα του κύκλου εργασιών τριμηνιαία VWAP
ServiceSellByQuarterHT=Υπηρεσίες του κύκλου εργασιών τριμηνιαία VWAP
Quarter1=1ο. Τέταρτο

View File

@ -1,7 +1,7 @@
# Dolibarr language file - Source file is en_US - sms
Sms=Sms
SmsSetup=Sms setup
SmsDesc=Αυτή η σελίδα σας επιτρέπει να ορίσετε επιλογές globals σε SMS χαρακτηριστικά
SmsSetup=Sms ρύθμιση
SmsDesc=Αυτή η σελίδα σας επιτρέπει να ορίσετε γενικές επιλογές σε SMS χαρακτηριστικά
SmsCard=SMS Κάρτα
AllSms=Όλες οι καμπάνιες SMS
SmsTargets=Στόχοι
@ -14,13 +14,13 @@ SmsTopic=Θέμα του SMS
SmsText=Μήνυμα
SmsMessage=Μήνυμα SMS
ShowSms=Εμφάνιση Sms
ListOfSms=Λίστα καμπάνιες SMS
ListOfSms=Λίστα καμπανιών SMS
NewSms=Νέα καμπάνια SMS
EditSms=Επεξεργασία Sms
ResetSms=Νέα αποστολή
DeleteSms=Διαγραφή Sms εκστρατεία
DeleteSms=Διαγραφή εκστρατείας Sms
DeleteASms=Αφαιρέστε μια εκστρατεία Sms
PreviewSms=Previuw Sms
PreviewSms=Προεπισκόπηση Sms
PrepareSms=Ετοιμάστε Sms
CreateSms=Δημιουργία Sms
SmsResult=Αποτέλεσμα της αποστολής sms
@ -31,23 +31,23 @@ SmsStatusDraft=Σχέδιο
SmsStatusValidated=Επικυρωμένη
SmsStatusApproved=Εγκεκριμένο
SmsStatusSent=Εστάλη
SmsStatusSentPartialy=Απεσταλμένα μερικώς
SmsStatusSentCompletely=Απεσταλμένα εντελώς
SmsStatusSentPartialy=Μερικώς απεσταλμένα
SmsStatusSentCompletely=Εντελώς απεσταλμένα
SmsStatusError=Σφάλμα
SmsStatusNotSent=Δεν αποστέλλεται
SmsSuccessfulySent=Sms σωστά έστειλε (από %s να %s)
ErrorSmsRecipientIsEmpty=Αριθμός στόχος είναι άδειο
SmsSuccessfulySent=Έστειλε σωστά Sms (από %s να %s)
ErrorSmsRecipientIsEmpty=Ο αριθμός στόχου είναι άδειος
WarningNoSmsAdded=Κανένα νέο αριθμό τηλεφώνου για να προσθέσετε στη λίστα στόχων
ConfirmValidSms=Έχετε επιβεβαιώσει την επικύρωση αυτής της εκστρατείας;
ConfirmResetMailing=Προσοχή, αν κάνετε μια reinit των SMS <b>%s</b> εκστρατείας, θα επιτρέψει να κάνει μια μαζική αποστολή της για δεύτερη φορά. Είναι πραγματικά αυτό που wan να κάνετε;
ConfirmResetMailing=Προσοχή, αν κάνετε μια επανάληψη των SMS <b>%s</b> εκστρατείας, θα επιτρέψει να κάνει μια μαζική αποστολή της για δεύτερη φορά. Είναι πραγματικά αυτό που χρειάζετε να κάνετε;
ConfirmDeleteMailing=Έχετε επιβεβαιώσει την αφαίρεση της καμπάνιας;
NbOfRecipients=Αριθμός των στόχων
NbOfUniqueSms=Nb DOF μοναδικούς αριθμούς τηλεφώνου
NbOfSms=Nbre του phon αριθμούς
ThisIsATestMessage=Αυτό είναι ένα δοκιμαστικό μήνυμα
SendSms=Αποστολή SMS
SmsInfoCharRemain=Αρ. υπόλοιπους χαρακτήρες
SmsInfoNumero= (Μορφή διεθνούς δηλαδή: 33899701761)
SmsInfoCharRemain=Αρ. υπόλοιπων χαρακτήρων
SmsInfoNumero= (Μορφή διεθνούς δηλαδή: +308997017610)
DelayBeforeSending=Καθυστέρηση πριν από την αποστολή (λεπτά)
SmsNoPossibleRecipientFound=Δεν στόχος διαθέσιμα. Ελέγξτε την εγκατάσταση του SMS τον παροχέα σας.
SmsNoPossibleRecipientFound=Δεν υπάρχει στόχος. Ελέγξτε την εγκατάσταση του SMS του παροχέα σας.

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=Αυτή είναι η λίστα όλων των ανο
Replenishments=Αναπληρώσεις
NbOfProductBeforePeriod=Ποσότητα του προϊόντος %s σε απόθεμα πριν από την επιλεγμένη περίοδο (< %s)
NbOfProductAfterPeriod=Ποσότητα του προϊόντος %s σε απόθεμα πριν από την επιλεγμένη περίοδο (> %s)
MassMovement=Μαζική μετακίνηση
MassStockMovement=Μαζική κίνηση αποθεμάτων
SelectProductInAndOutWareHouse=Επιλέξτε ένα προϊόν, ποσότητα, μια αποθήκη πηγή και μια αποθήκη στόχο, στη συνέχεια, κάντε κλικ στο "%s". Μόλις γίνει αυτό για όλες τις απαιτούμενες κινήσεις, κάντε κλικ στο "%s".
RecordMovement=Η εγγραφή μεταφέρθηκε

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=This is list of all opened supplier orders
Replenishments=Replenishments
NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
MassMovement=Mass movement
MassStockMovement=Mass stock movement
SelectProductInAndOutWareHouse=Select a product, a quantity, a source warehouse and a target warehouse, then click "%s". Once this is done for all required movements, click onto "%s".
RecordMovement=Record transfert

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Variable %s
LocalisationDolibarrParameters=Parámetros de localización
ClientTZ=Zona horaria cliente (usuario)
ClientHour=Hora cliente (usuario)
OSTZ=Zona horaria Servidor SO
OSTZ=Zona horaria Servidor
PHPTZ=Zona horaria Servidor PHP
PHPServerOffsetWithGreenwich=Offset servidor con Greenwich (segundos)
ClientOffsetWithGreenwich=Offset cliente/navegador con Greenwich (segundos)
@ -233,7 +233,9 @@ OfficialWebSiteFr=sitio web oficial habla francesa
OfficialWiki=Wiki documentación Dolibarr
OfficialDemo=Demo en línea Dolibarr
OfficialMarketPlace=Sitio oficial de módulos complementarios y extensiones
OfficialWebHostingService=Servicio oficial de alojamiento (SaaS)
OfficialWebHostingService=Servicios de hosting web (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Otros recursos
ForDocumentationSeeWiki=Para la documentación de usuario, desarrollador o Preguntas Frecuentes (FAQ), consulte el wiki Dolibarr: <br><b><a href="%s" target="_blank">%s</a></b>
ForAnswersSeeForum=Para otras cuestiones o realizar sus propias consultas, puede utilizar el foro Dolibarr: <br><b><a href="%s" target="_blank">%s</a></b>
HelpCenterDesc1=Esta aplicación, independiente de Dolibarr, le permite ayudarle a obtener un servicio de soporte de Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Lista desde una tabla
ExtrafieldSeparator=Separador
ExtrafieldCheckBox=Casilla de verificación
ExtrafieldRadio=Botón de selección excluyente
ExtrafieldParamHelpselect=El listado tiene que ser en forma clave, valor<br><br> por ejemplo : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpcheckbox=El listado tiene que ser en forma clave, valor<br><br> por ejemplo : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpradio=El listado tiene que ser en forma clave, valor<br><br> por ejemplo : <br>1,text1<br>2,text2<br>3,text3<br>...
ExtrafieldParamHelpselect=El listado de parámetros tiene que ser key,valor<br><br> por ejemplo:\n<br>1,value1<br>2,value2<br>3,value3<br>...<br><br>Para tener la lista en función de otra:<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=El listado de parámetros tiene que ser key,valor<br><br> por ejemplo:\n<br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=El listado de parámetros tiene que ser key,valor<br><br> por ejemplo:\n<br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Lista Parámetros viene de una tabla <br> Sintaxis: nombre_tabla: etiqueta_campo: identificador_campo :: filtro <br> Ejemplo: c_typent: libelle: id :: filtro <br> filtro puede ser una prueba simple (por ejemplo, activo = 1) para mostrar el valor sólo se activa <br> si desea filtrar un campo extra utilizar la sintáxis extra.fieldcode = ... (donde el código de campo es el código del campo extra) <br> para tener la lista en función de otra: <br> c_typent: libelle: id: parent_list_code | parent_column: filtro
LibraryToBuildPDF=Librería usada para la creación de archivos PDF
WarningUsingFPDF=Atención: Su archivo <b>conf.php</b> contiene la directiva <b>dolibarr_pdf_force_fpdf=1</b>. Esto hace que se use la librería FPDF para generar sus archivos PDF. Esta librería es antigua y no cubre algunas funcionalidades (Unicode, transparencia de imágenes, idiomas cirílicos, árabes o asiáticos, etc.), por lo que puede tener problemas en la generación de los PDF.<br>Para resolverlo, y disponer de un soporte completo de PDF, puede descargar la <a href="http://www.tcpdf.org/" target="_blank">librería TCPDF</a> , y a continuación comentar o eliminar la línea <b>$dolibarr_pdf_force_fpdf=1</b>, y añadir en su lugar <b>$dolibarr_lib_TCPDF_PATH='ruta_a_TCPDF'</b>
@ -472,7 +474,7 @@ Module410Desc=Interfaz con el calendario Webcalendar
Module500Name=Gastos especiales (impuestos, gastos sociales, dividendos)
Module500Desc=Gestión de los gastos especiales como impuestos, gastos sociales, dividendos y salarios
Module510Name=Salarios
Module510Desc=Gestión de salarios de empleados y sus pagos
Module510Desc=Gestión de salarios y pagos
Module600Name=Notificaciones
Module600Desc=Envío de notificaciones (por correo electrónico) sobre los eventos de trabajo Dolibarr
Module700Name=Donaciones
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Gestión de la agenda y de las acciones
Module2500Name=Gestión Electrónica de Documentos
Module2500Desc=Permite administrar una base de documentos
Module2600Name= WebServices
Module2600Desc= Activa los servicios de servidor web services de Dolibarr
Module2700Name= Gravatar
Module2700Desc= Utiliza el servicio en línea de Gravatar (www.gravatar.com) para mostrar fotos de los usuarios/miembros (que se encuentran en sus mensajes de correo electrónico). Necesita un acceso a Internet
Module2600Name=WebServices
Module2600Desc=Activa los servicios de servidor web services de Dolibarr
Module2700Name=Gravatar
Module2700Desc=Utiliza el servicio en línea de Gravatar (www.gravatar.com) para mostrar fotos de los usuarios/miembros (que se encuentran en sus mensajes de correo electrónico). Necesita un acceso a Internet
Module2800Desc=Cliente FTP
Module2900Name= GeoIPMaxmind
Module2900Desc= Capacidades de conversión GeoIP Maxmind
Module3100Name= Skype
Module3100Desc= Añade un botón Skype en las fichas de miembros / terceros / contactos
Module2900Name=GeoIPMaxmind
Module2900Desc=Capacidades de conversión GeoIP Maxmind
Module3100Name=Skype
Module3100Desc=Añade un botón Skype en las fichas de miembros / terceros / contactos
Module5000Name=Multi-empresa
Module5000Desc=Permite gestionar varias empresas
Module6000Name=Flujo de trabajo
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Atributos adicionales (pedidos a proveedores)
ExtraFieldsSupplierInvoices=Atributos adicionales (facturas)
ExtraFieldsProject=Atributos adicionales (proyectos)
ExtraFieldsProjectTask=Atributos adicionales (tareas)
ExtraFieldHasWrongValue=El atributo %s tiene un valor incorrecto.
ExtraFieldHasWrongValue=El atributo %s tiene un valor no válido
AlphaNumOnlyCharsAndNoSpace=solamente caracteres alfanuméricos sin espacios
AlphaNumOnlyLowerCharsAndNoSpace=sólo alfanuméricos y minúsculas sin espacio
SendingMailSetup=Configuración del envío por mail
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Almacenamiento de sesiones cifradas por Suhosin
ConditionIsCurrently=Actualmente la condición es %s
TestNotPossibleWithCurrentBrowsers=La detección automática no es posible con el navegador actual
YouUseBestDriver=Está usando el driver %s, actualmente es el mejor driver disponible.
YouDoNotUseBestDriver=Está usando el driver %s pero es recomendado el uso del driver %s.
YouDoNotUseBestDriver=Usa el driver %s aunque se recomienda usar el driver %s.
NbOfProductIsLowerThanNoPb=Tiene %s productos/servicios en su base de datos. No es necesaria ninguna optimización en particular.
SearchOptim=Buscar optimización
YouHaveXProductUseSearchOptim=Tiene %s productos en su base de datos. Debería añadir la constante PRODUCT_DONOTSEARCH_ANYWHERE a 1 en Inicio-Configuración-Varios, limitando la búsqueda al principio de la cadena lo que hace posible que la base de datos use el índice y se obtenga una respuesta inmediata.
BrowserIsOK=Usa el navegador web %s. Este navegador está optimizado para la seguridad y el rendimiento.
BrowserIsKO=Usa el navegador web %s. Este navegador es una mala opción para la seguridad, rendimiento y fiabilidad. Aconsejamos utilizar Firefox, Chrome, Opera o Safari.
XDebugInstalled=XDebug está cargado.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache está cargado
AddRefInList=Mostrar el código de cliente/proveedor en los listados (lista desplegable o autoselección) en la mayoría de enlaces
FieldEdition=Edición del campo %s
@ -1073,7 +1075,7 @@ WebCalServer=Servidor de la base de datos del calendario
WebCalDatabaseName=Nombre de la base de datos
WebCalUser=Usuario con acceso a la base
WebCalSetupSaved=Los datos de enlace se han guardado correctamente.
WebCalTestOk=La conexión al servidor '%s' en la base '%s' por el usuario '%s' ha sido satisfactoria.
WebCalTestOk=Conectado correctamente al servidor '%s', base de datos '%s', usuario '%s'.
WebCalTestKo1=La conexión al servidor '%s' ha sido satisfactoria, pero la base '%s' no se ha podido comprobar.
WebCalTestKo2=La conexión al servidor '%s' por el usuario '%s' ha fallado.
WebCalErrorConnectOkButWrongDatabase=La conexión salió bien pero la base no parece ser una base Webcalendar.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Marca de agua en presupuestos borrador (en caso de esta
OrdersSetup=Configuración del módulo pedidos
OrdersNumberingModules=Módulos de numeración de los pedidos
OrdersModelModule=Modelos de documentos de pedidos
HideTreadedOrders=Ocultar los pedidos procesados o anulados del listado
HideTreadedOrders=Ocultar del listado los pedidos tratados o cancelados
ValidOrderAfterPropalClosed=Validar el pedido después del cierre del presupuesto, permite no pasar por el pedido provisional
FreeLegalTextOnOrders=Texto libre en pedidos
WatermarkOnDraftOrders=Marca de agua en pedidos borrador (en caso de estar vacío)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Prueba de sincronización erronea
LDAPSynchroKOMayBePermissions=Error de la prueba de sincronización. Compruebe que la conexión al servidor sea correcta y que permite las actualizaciones LDAP
LDAPTCPConnectOK=Conexión TCP al servidor LDAP efectuada (Servidor=%s, Puerto=%s)
LDAPTCPConnectKO=Fallo de conexión TCP al servidor LDAP (Servidor=%s, Puerto=%s)
LDAPBindOK=Conexión/Autenticación al servidor LDAP conseguida (Servidor=%s, Puerto=%s, Admin=%s, Password=%s)
LDAPBindOK=Conexión/Autenticación realizada al servidor LDAP (Servidor=%s, Puerto=%s, Admin=%s, Password=%s)
LDAPBindKO=Fallo de conexión/autentificación al servidor LDAP (Servidor=%s, Puerto=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Desconexión realizada
LDAPUnbindSuccessfull=Desconectado correctamente
LDAPUnbindFailed=Desconexión fallada
LDAPConnectToDNSuccessfull=Conexión a DN (%s) realizada
LDAPConnectToDNFailed=Connexión a DN (%s) fallada
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Ejemplo : objectsid
LDAPFieldEndLastSubscription=Fecha finalización como miembro
LDAPFieldTitle=Puesto/Función
LDAPFieldTitleExample=Ejemplo:titulo
LDAPParametersAreStillHardCoded=Los parámetros LDAP son codificados en duro (en la clase contact)
LDAPParametersAreStillHardCoded=Los Parámetros LDAP todavía están codificados (en la clase de contacto)
LDAPSetupNotComplete=Configuración LDAP incompleta (a completar en las otras pestañas)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador o contraseña no indicados. Los accesos LDAP serán anónimos y en solo lectura.
LDAPDescContact=Esta página permite definir el nombre de los atributos del árbol LDAP para cada información de los contactos Dolibarr.
@ -1429,7 +1431,7 @@ OptionVATDefault=Estándar
OptionVATDebitOption=Opción servicios a débito
OptionVatDefaultDesc=La carga del IVA es: <br>-en el envío de los bienes (en la práctica se usa la fecha de la factura)<br>-sobre el pago por los servicios
OptionVatDebitOptionDesc=La carga del IVA es: <br>-en el envío de los bienes (en la práctica se usa la fecha de la factura)<br>-sobre la facturación de los servicios
SummaryOfVatExigibilityUsedByDefault=Momento de exigibilidad por defecto el IVA para la opción escogida:
SummaryOfVatExigibilityUsedByDefault=Tiempo de exigibilidad de IVA por defecto según la opción eligida
OnDelivery=En la entrega
OnPayment=En el pago
OnInvoice=En la factura
@ -1446,7 +1448,7 @@ AccountancyCodeBuy=Código contable compras
AgendaSetup=Módulo configuración de acciones y agenda
PasswordTogetVCalExport=Clave de autorización vcal export link
PastDelayVCalExport=No exportar los eventos de más de
AGENDA_USE_EVENT_TYPE=Usar tipos de eventos (configurables desde Configuración->Diccionarios->Tipos de eventos de la agenda)
AGENDA_USE_EVENT_TYPE=Usar tipos de evento (gestionados en el menú Configuración->Diccionarios->Tipos de eventos de la agenda)
##### ClickToDial #####
ClickToDialDesc=Este módulo permite agregar un icono después del número de teléfono de contactos Dolibarr. Un clic en este icono, Llama a un servidor con una URL que se indica a continuación. Esto puede ser usado para llamar al sistema call center de Dolibarr que puede llamar al número de teléfono en un sistema SIP, por ejemplo.
##### Point Of Sales (CashDesk) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=Listado de servicios activos a expirar en %s
ListOfServicesToExpireWithDurationNeg=Listado de servicios expirados más de %s días
ListOfServicesToExpire=Listado de servicios activos a expirar
NoteListOfYourExpiredServices=Este listado contiene solamente los servicios de contratos de terceros de los que usted es comercial
StandardContractsTemplate=Modelo de contrato estandar
ContactNameAndSignature=Para %s, nombre y firma:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Comercial firmante del contrato

View File

@ -8,7 +8,7 @@ ImportableDatas=Conjunto de datos importables
SelectExportDataSet=Elija un conjunto predefinido de datos que desee exportar...
SelectImportDataSet=Seleccione un lote de datos predefinidos que desee importar...
SelectExportFields=Elija los campos que deben exportarse, o elija un perfil de exportación predefinido
SelectImportFields=Seleccione los campos a importar, o seleccione un perfil predefinido de importación
SelectImportFields=Escoja los campos del archivo que desea importar y sus campos de destino en la base de datos moviéndolos arriba y abajo con el ancla %s, o seleccione un perfil de importación predefinido.
NotImportedFields=Campos del archivo origen no importados
SaveExportModel=Guardar este perfil de exportación si desea reutilizarlo posteriormente...
SaveImportModel=Guarde este perfil de importación si desea reutilizarlo de nuevo posteriormente...
@ -81,7 +81,7 @@ DoNotImportFirstLine=No importar la primera línea del archivo fuente
NbOfSourceLines=Número de líneas del archivo fuente
NowClickToTestTheImport=Compruebe los parámetros de importación establecidos. Si está de acuerdo, haga clic en el botón "<b>%s</b>" para ejecutar una simulación de importación (ningún dato será modificado, inicialmente sólo será una simulación)...
RunSimulateImportFile=Ejecutar la simulación de importación
FieldNeedSource=Este campo requiere obligatoriamente una fuente de datos
FieldNeedSource=Este campo requiere datos desde el archivo origen
SomeMandatoryFieldHaveNoSource=Algunos campos obligatorios no tienen campo fuente en el archivo de origen
InformationOnSourceFile=Información del archivo origen
InformationOnTargetTables=Información sobre los campos de destino

View File

@ -8,7 +8,6 @@ NotActiveModCP=Debe activar el módulo Vacaciones para ver esta página.
NotConfigModCP=Debe configurar el módulo Vacaciones para ver esta página. Para configurarlo, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">haga clic aquí</a>.
NoCPforUser=No tiene peticiones de vacaciones.
AddCP=Crear petición de vacaciones
CPErrorSQL=Ha ocurrido un error de SQL :
Employe=Empleado
DateDebCP=Fecha inicio
DateFinCP=Fecha fin

View File

@ -79,6 +79,7 @@ MailtoEMail=mailto email (hyperlink)
ActivateCheckRead=Activar confirmación de lectura y opción de desuscripción
ActivateCheckReadKey=Clave usada para encriptar la URL de la confirmación de lectura y la función de desuscripción
EMailSentToNRecipients=E-Mail enviado a %s destinatarios.
XTargetsAdded=<b>%s</b> destinatarios agregados a la lista
EachInvoiceWillBeAttachedToEmail=Se creará y adjuntará a cada e-mail un documento usando el modelo de factura por defecto.
MailTopicSendRemindUnpaidInvoices=Recordatorio de la factura %s (%s)
SendRemind=Enviar recordatorios por e-mail

View File

@ -551,6 +551,7 @@ MailSentBy=Mail enviado por
TextUsedInTheMessageBody=Texto utilizado en el cuerpo del mensaje
SendAcknowledgementByMail=Enviar recibo por e-mail
NoEMail=Sin e-mail
NoMobilePhone=Sin teléfono móvil
Owner=Propietario
DetectedVersion=Versión detectada
FollowingConstantsWillBeSubstituted=Las siguientes constantes serán substituidas por su valor correspondiente.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Estadísticas productos y servicios
ProductsStatistics=Estadísticas productos
ProductsOnSell=Productos en venta o en compra
ProductsNotOnSell=Productos fuera de venta y de compra
ProductsOnSellAndOnBuy=Productos ni a la venta ni a la compra
ServicesOnSell=Servicios en venta o en compra
ServicesNotOnSell=Servicios fuera de venta y de compra
ServicesOnSellAndOnBuy=Servicios ni a la venta ni a la compra
InternalRef=Referencia interna
LastRecorded=Ultimos productos/servicios en venta registrados
LastRecordedProductsAndServices=Los %s últimos productos/servicios registrados
@ -70,6 +72,8 @@ PublicPrice=Precio público
CurrentPrice=Precio actual
NewPrice=Nuevo precio
MinPrice=Precio de venta min.
MinPriceHT=Precio mín. de venta (a.i.)
MinPriceTTC=Precio mín de venta (i.i.)
CantBeLessThanMinPrice=El precio de venta no debe ser inferior al mínimo para este producto (%s sin IVA). Este mensaje puede estar causado por un descuento muy grande.
ContractStatus=Estado de contrato
ContractStatusClosed=Cerrado
@ -179,6 +183,7 @@ ProductIsUsed=Este producto es utilizado
NewRefForClone=Ref. del nuevo producto/servicio
CustomerPrices=Precios clientes
SuppliersPrices=Precios proveedores
SuppliersPricesOfProductsOrServices=Precios proveedores (productos o servicios)
CustomCode=Código aduanero
CountryOrigin=País de origen
HiddenIntoCombo=Oculto en las listas
@ -208,6 +213,7 @@ CostPmpHT=Coste de compra sin IVA
ProductUsedForBuild=Auto consumido por producción
ProductBuilded=Producción completada
ProductsMultiPrice=Producto multi-precio
ProductsOrServiceMultiPrice=Precios a clientes (productos o servicios, multiprecios)
ProductSellByQuarterHT=Ventas de productos base imponible
ServiceSellByQuarterHT=Ventas de servicios base imponible
Quarter1=1º trimestre

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=Este es el listado de pedidos a proveedores en curso
Replenishments=Reaprovisionamiento
NbOfProductBeforePeriod=Cantidad del producto %s en stock antes del periodo seleccionado (< %s)
NbOfProductAfterPeriod=Cantidad del producto %s en stock después del periodo seleccionado (> %s)
MassMovement=Movimientos en masa
MassStockMovement=Movimientos de stock en masa
SelectProductInAndOutWareHouse=Selecccione un producto, una cantidad, un almacén origen y un almacén destino, seguidamente haga clic "%s". Una vez seleccionados todos los movimientos, haga clic en "%s".
RecordMovement=Registrar transferencias

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Parameeter %s
LocalisationDolibarrParameters=Lokaliseerimise parameetrid
ClientTZ=Kliendi ajavöönd (kasutaja)
ClientHour=Kliendi aeg (kasutaja)
OSTZ=Time Zone OS server
OSTZ=Server OS Time Zone
PHPTZ=Time Zone PHP server
PHPServerOffsetWithGreenwich=PHP serveri nihe Greenwichi aja suhtes (sekundites)
ClientOffsetWithGreenwich=Kliendi/brauseri nihe Greenwichi aja suhtes (sekundites)
@ -233,7 +233,9 @@ OfficialWebSiteFr=Prantsuskeelne ametlik kodulehekülg
OfficialWiki=Dolibarri dokumentatsioon Wikis
OfficialDemo=Dolibarri online demo
OfficialMarketPlace=Väliste moodulite ja lisade ametlik müügikoht
OfficialWebHostingService=Ametlikud veebiteenuse pakkujad (pilveteenus)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=Kasutaja või arendaja dokumentatsiooni (KKK jms) võid leida<br>ametlikust Dolibarri Wikist:<br><a href="%s" target="_blank"><b>%s</b></a>
ForAnswersSeeForum=Muude küsimuste või abi küsimise tarbeks saab kasutada Dolibarri foorumit:<br><a href="%s" target="_blank"><b>%s</b></a>
HelpCenterDesc1=See ala võib aidata saada Dolibarri tugiteenust.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Vali tabelist
ExtrafieldSeparator=Eraldaja
ExtrafieldCheckBox=Märkeruut
ExtrafieldRadio=Raadionupp
ExtrafieldParamHelpselect=Parameetrite nimekiri peab olema kujul võti,väärtus<br><br>Näiteks:<br>1,väärtus1<br>2,väärtus2<br>3,väärtus3<br>jne<br><br>Nimekirja teisest nimekirjast sõltuvaks muutmiseks:<br>1,väärtus1|ema_nimekirja_kood:ema_võti<br>2,väärtus2|ema_nimekirja_kood:ema_kood
ExtrafieldParamHelpcheckbox=Parameetrite nimekiri peab olema kujul võti,väärtus<br><br>Näiteks:<br>1,väärtus1<br>2,väärtus2<br>3,väärtus3<br>jne
ExtrafieldParamHelpradio=Parameetrite nimekiri peab olema kujul võti,väärtus<br><br>Näiteks:<br>1,väärtus1<br>2,väärtus2<br>3,väärtus3<br>jne
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=PDFide loomiseks kasutatav teek
WarningUsingFPDF=Hoiatus: <b>conf.php</b> sisaldab direktiivi <b>dolibarr_pdf_force_fpdf=1</b>. See tähendab, et PDF failide loomiseks kasutatakse FPDF teeki. FPDF teek on vananenud ja ei toeta paljusid võimalusi (Unicode, läbipaistvad pildid, kirillitsa, araabia ja aasia märgistikke jne), seega võib PDFi loomise ajal tekkida vigu.<br>Probleemide vältimiseks ja täieliku PDFi loomise toe jaoks palun lae alla <a href="http://www.tcpdf.org/" target="_blank">TCPDF teek</a> ning seejärel kommenteeri välja või kustuta rida <b>$dolibarr_pdf_force_fpdf=1</b> ja lisa rida <b>$dolibarr_lib_TCPDF_PATH='TCPDF_kausta_rada'</b>
@ -472,7 +474,7 @@ Module410Desc=WebCalendari integratsioon
Module500Name=Special expenses (tax, social contributions, dividends)
Module500Desc=Management of special expenses like taxes, social contribution, dividends and salaries
Module510Name=Palgad
Module510Desc=Management of empoyees salaries and payments
Module510Desc=Management of employees salaries and payments
Module600Name=Teated
Module600Desc=Saada mõnede Dolibarri äritegevusega seotud sündmuste puhul teade kolmandate isikute kontaktidele
Module700Name=Annetused
@ -495,15 +497,15 @@ Module2400Name=Päevakava
Module2400Desc=Tegevuste/ülesannete ja päevakava haldamine
Module2500Name=Dokumendihaldus
Module2500Desc=Salvesta ja jaga dokumente
Module2600Name= Veebiteenused
Module2600Desc= Lülita Dolibarri veebiteenuste server sisse
Module2700Name= Gravatar
Module2700Desc= Kasuta Gravatar (www.gravatar.com) teenust, et näidata kasutajate/liikmete pilte (loodud nende e-posti aadresside põhjal). Vajab Interneti ligipääsu.
Module2600Name=Veebiteenused
Module2600Desc=Lülita Dolibarri veebiteenuste server sisse
Module2700Name=Gravatar
Module2700Desc=Kasuta Gravatar (www.gravatar.com) teenust, et näidata kasutajate/liikmete pilte (loodud nende e-posti aadresside põhjal). Vajab Interneti ligipääsu.
Module2800Desc=FTP klient
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind konverteerimise võimekus
Module3100Name= Skype
Module3100Desc= Lisa Skypei nupp toetajate/kolmandate isikute/kontaktide kaardile
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind konverteerimise võimekus
Module3100Name=Skype
Module3100Desc=Lisa Skypei nupp toetajate/kolmandate isikute/kontaktide kaardile
Module5000Name=Multi-ettevõte
Module5000Desc=Võimaldab hallata mitut ettevõtet
Module6000Name=Töövoog
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Täiendavad atribuudid (orders e tellimused)
ExtraFieldsSupplierInvoices=Täiendavad atribuudid (invoices e arved)
ExtraFieldsProject=Täiendavad atribuudid (projects e projektid)
ExtraFieldsProjectTask=Täiendavad atribuudid (tasks e ülesanded)
ExtraFieldHasWrongValue=Atribuut %s on vale väärtusega.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=sümbolid ainult A..Za..z0..9 tühikuteta
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=E-kirja saatmise seadistamine
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Sessiooni andmehoidla krüpteeritud Suhosini poolt
ConditionIsCurrently=Olek on hetkel %s
TestNotPossibleWithCurrentBrowsers=Automaatne tuvastamine ei ole võimalik
YouUseBestDriver=Kasutad draiverit %s, mis on hetkel saadaolevatest parim.
YouDoNotUseBestDriver=Kasutad draiverit %s, kuid soovitatav on draiver %s.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=Andmebaasis on vaid %s toodet/teenust. See ei nõua mingit erilist optimeerimist.
SearchOptim=Otsingu optimeerimine
YouHaveXProductUseSearchOptim=Andmebaasis on %s toodet. Peaksid lisama konstandi PRODUCT_DONOTSEARCH_ANYWHERE väärtusega 1 Kodu->Seadistamine->Muu paneeli, et piirata otsing sõne algusesse ning võimaldada andmebaasil indeksite kasutamine kohese vastuse saamiseks.
BrowserIsOK=Kasutad brauserit %s, mis on nii turvalisuse kui jõudluse suhtes OK.
BrowserIsKO=Kasutad brauserit %s. See brauser on tuntud halva turvalisuse, jõudluse ja usaldusväärsuse poolest. Soovtitame kasutada Firefoxi, Chromei, Operat või Safarit.
XDebugInstalled=XDebug on laetud.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache on laetud.
AddRefInList=Näita kliendi/hankija viiteid nimekirjas (valikus või liitboksis) ja enamust hüperlingist
FieldEdition=Välja %s muutmine
@ -1073,7 +1075,7 @@ WebCalServer=Kalendri andmebaasi server
WebCalDatabaseName=Andmebaasi nimi
WebCalUser=Andmebaasi kasutaja
WebCalSetupSaved=WebCalendari seadistus edukalt salvestatud.
WebCalTestOk=Ühendus serveri '%s' andmebaasiga '%s' kasutajanimega '%s' õnnestus.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Ühendus serveriga '%s' õnnestus, kuid andmebaas '%s' ei olnud saadaval.
WebCalTestKo2=Ühendus serveriga '%s' kasutajanimega '%s' ebaõnnestus.
WebCalErrorConnectOkButWrongDatabase=Ühendus õnnestus, aga andmebaasi ei tundu olevat WebCalendari andmebaas.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Vesimärk pakkumiste mustanditel (puudub, kui tühi)
OrdersSetup=Tellimuste haldamise seadistamine
OrdersNumberingModules=Tellimuste numeratsiooni mudelid
OrdersModelModule=Tellimuste dokumentide mudelid
HideTreadedOrders=Peida nimekirjas töödeldud või tühistatud tellimused
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=Tellimuse kinnitamine pärast pakkumise sulgemist võimaldab vältida tellimuse sammu vahele jätmist
FreeLegalTextOnOrders=Vaba tekst tellimustel
WatermarkOnDraftOrders=Vesimärk tellimuste mustanditel (puudub, kui tühi)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Sünkroniseerimise testimine ebaõnnestus
LDAPSynchroKOMayBePermissions=Sünkroniseerimise test ebaõnnestus. Kontrolli, et ühendus serveriga on õigestu seadistatud ning et LDAPi uuendused on lubatud
LDAPTCPConnectOK=TCP ühendust LDAPi serveriga õnnestus (server=%s, port=%s)
LDAPTCPConnectKO=TCP ühendust LDAPi serveriga ebaõnnestus (server=%s, port=%s)
LDAPBindOK=LDAPi serveriga ühendumine/autentimine õnnestus (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=LDAPi serveriga ühendumine/autentimine ebaõnnestus (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Lahti ühendumine oli edukas
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Lahti ühendumine ebaõnnestus
LDAPConnectToDNSuccessfull=Ühendus DNiga (%s) õnnestus
LDAPConnectToDNFailed=Ühendumine DNiga (%s) ebaõnnestus
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Näide: objectsid
LDAPFieldEndLastSubscription=Tellimuse lõpu kuupäev
LDAPFieldTitle=Ametikoht
LDAPFieldTitleExample=Näide: tiitel
LDAPParametersAreStillHardCoded=LDAP parameetrid on ikka veel koodi sisse kirjutatud (contact klassi)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP setup ei ole täielik (mine sakile Muu)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administraatorit või parooli pole sisestatud. LDAPi ligipääs on anonüümne ja ainult lugemisrežiimis.
LDAPDescContact=Sellel leheküljel saab määratleda LDAPi atribuutide nimesid LDAPi puus kõigi Dolibarri kontaktides leitud andmete kohta.
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=Teenuste eest debiteerimisel
OptionVatDefaultDesc=KM on tingitud:<br>- kaupade üleandmisel (arve kuupäev)<br>- teenuste eest maksmisel
OptionVatDebitOptionDesc=KM on tingitud:<br>- kaupade üleandmisel (arve kuupäev)<br>- arve esitamisel (deebet) teenuste eest
SummaryOfVatExigibilityUsedByDefault=Vastavalt valitud võimalusele tekkiv vaikimisi KM kohustuse aeg:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=Üleandmisel
OnPayment=Maksmisel
OnInvoice=Arve esitamisel
@ -1446,7 +1448,7 @@ AccountancyCodeBuy=Ostukonto kood
AgendaSetup=Tegevuste ja päevakava mooduli seadistamine
PasswordTogetVCalExport=Ekspordilingi autoriseerimise võti
PastDelayVCalExport=Ära ekspordi tegevusi, mis on vanemad kui
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> Type of agenda events)
##### ClickToDial #####
ClickToDialDesc=See moodul võimaldab lisada ikooni pärast telefoninumbreid. Klõps sellel ikoonil helistab allpool määratletud URLiga serverisse. See võimaldab näiteks Dolibarrist helistada kõnekeskuse süsteemi, mis helistab SIP-süsteemis olevale numbrile.
##### Point Of Sales (CashDesk) #####

View File

@ -89,6 +89,8 @@ ListOfServicesToExpireWithDuration=%s päeva pärast aeguvate teenuste nimekiri
ListOfServicesToExpireWithDurationNeg=Teenuste nimekiri, mis aegusid rohkem kui %s päeva tagasi
ListOfServicesToExpire=Aeguvate teenuste nimekiri
NoteListOfYourExpiredServices=See nimekiri sisaldab vaid nende lepingute teenuseid, millega seotud kolmandate isikute kohta oled märgitud müügiesindajaks
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
TypeContact_contrat_internal_SALESREPSIGN=Lepingu allkirjastanud müügiesindaja

View File

@ -8,7 +8,7 @@ ImportableDatas=Imporditav andmekog
SelectExportDataSet=Vali eksporditav andmekog...
SelectImportDataSet=Vali imporditav andmehulk...
SelectExportFields=Vali väljad, mida soovid eksportida või vali eelmääratletud ekspordi profiil
SelectImportFields=Vali imporditavad lähteväljad ja nende sihtväli andmebaasis, liigutades neid üles-alla ankru %s abil või kasuta eelmääratletud profiili:
SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile:
NotImportedFields=Lähtefaili väljad, mida ei impordita
SaveExportModel=Salvesta see ekspordi profiil, kui kavatsed seda hiljem uuesti kasutada...
SaveImportModel=Salvesta see impordi profiil, kui kavatsed seda hiljem uuesti kasutada...
@ -81,7 +81,7 @@ DoNotImportFirstLine=Ära impordi lähtefaili esimest rida
NbOfSourceLines=Lähtefaili ridade arv
NowClickToTestTheImport=Kontrolli üle seadistatud importimise parameetrid. Kui nad on õiged, siis klõpsa nupul "<b>%s</b>" importimise simulatsiooni käivitamiseks (andmebaasis andmeid ei muudeta, vaid lihtsalt simuleeritakse muudatusi hetkel)
RunSimulateImportFile=Käivita importimise simulatsioo
FieldNeedSource=Need andmebaasi väljad nõuavad lähtefailis andmeid
FieldNeedSource=This field requires data from the source file
SomeMandatoryFieldHaveNoSource=Mõnedel kohustuslikel väljadel pole andmefailis allikat
InformationOnSourceFile=Lähtefaili informatsioone
InformationOnTargetTables=Sihtväljade informatsioon
@ -102,14 +102,14 @@ NbOfLinesImported=Edukalt imporditud ridu: <b>%s</b>.
DataComeFromNoWhere=Sisestavat väärtust ei ole mitte kuskil lähtefailis.
DataComeFromFileFieldNb=Sisestav väärtus pärineb lähtefaili <b>%s</b>. väljalt.
DataComeFromIdFoundFromRef=Väärtust, mis pärineb lähtefaili <b>%s</b>. realt, kasutatakse emaobjekti ID leidmiseks (selle kindlustamiseks, et objekt <b>%s</b>, millel on lähtefaili viide, oleks Dolibarris olemas).
# DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataComeFromIdFoundFromCodeId=Code that comes from field number <b>%s</b> of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary <b>%s</b>). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases.
DataIsInsertedInto=Lähtefailist pärinevad andmed sisestatakse järgmisse välja:
DataIDSourceIsInsertedInto=Lähtefailis leitud emaobjekti ID sisestatakse järgmisse välja:
DataCodeIDSourceIsInsertedInto=Koodist leitud emarea ID sisestatakse järgmisse välja:
SourceRequired=Andmeväärtus on kohustuslik
SourceExample=Võimaliku andmeväärtuse näide
ExampleAnyRefFoundIntoElement=Iga elemendi <b>%s</b> jaoks leitud viide
# ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary <b>%s</b>
CSVFormatDesc=<b>Comma Separated Value</b> faili formaat (.csv).<br>See on tekstifaili formaat, kus väljad on eraldatud eraldajaga [ %s ]. Kui välja sisus leidub eraldaja, eraldatakse väli teistest väljadest eraldusssümboliga [ %s ]. Eraldussümboli paomärk on [ %s ].
Excel95FormatDesc=<b>Excel</b> faili formaat (.xls)<br>Excel 95 formaat (BIFF5).
Excel2007FormatDesc=<b>Excel</b> faili formaat (.xlsx)<br>Excel 2007 formaat (SpreadsheetML).
@ -123,10 +123,10 @@ BankCode=Panga kood
DeskCode=Laua kood
BankAccountNumber=Konto number
BankAccountNumberKey=Võti
# SpecialCode=Special code
# ExportStringFilter=%% allows replacing one or more characters in the text
# ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
# ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
SpecialCode=Erikood
ExportStringFilter=%% allows replacing one or more characters in the text
ExportDateFilter='YYYY' 'YYYYMM' 'YYYYMMDD': filters by one year/month/day<br>'YYYY+YYYY' 'YYYYMM+YYYYMM' 'YYYYMMDD+YYYYMMDD': filters over a range of years/months/days<br>'&gt;YYYY' '&gt;YYYYMM' '&gt;YYYYMMDD': filters on the following years/months/days<br>'&lt;YYYY' '&lt;YYYYMM' '&lt;YYYYMMDD': filters on the previous years/months/days
ExportNumericFilter='NNNNN' filters by one value<br>'NNNNN+NNNNN' filters over a range of values<br>'&gt;NNNNN' filters by lower values<br>'&gt;NNNNN' filters by higher values
## filters
SelectFilterFields=Kui soovid mõnede väärtuste põhjal filtreerida, siis sisesta nad siia.
FilterableFields=Filtreeritav ala

View File

@ -8,7 +8,6 @@ NotActiveModCP=Selle lehe vaatamiseks pead sisse lülitama puhkuste mooduli
NotConfigModCP=Selle lehe vaatamiseks pead seadistama puhkuste mooduli. Selle jaoks <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">klõpsa siia</a>.
NoCPforUser=Sul ei ole puhkuse vajadust.
AddCP=Taotle puhkust
CPErrorSQL=Tekkis SQLi viga:
Employe=Töötaja
DateDebCP=Alguskuupäev
DateFinCP=Lõppkuupäev

View File

@ -79,6 +79,7 @@ MailtoEMail=E-kirja hüperlink
ActivateCheckRead=Luba "Tühista tellimus" lingi kasutamine
ActivateCheckReadKey="Vaata kviitungit" ja "Tühista tellimus" linkide URLi krüpteerimiseks kasutatav võti
EMailSentToNRecipients=E-kiri saadetud %s aadressile.
XTargetsAdded=<b>%s</b> recipients added into target list
EachInvoiceWillBeAttachedToEmail=A document using default invoice document template will be created and attached to each email.
MailTopicSendRemindUnpaidInvoices=Reminder of invoice %s (%s)
SendRemind=Send reminder by EMails

View File

@ -551,6 +551,7 @@ MailSentBy=E-posti saatis
TextUsedInTheMessageBody=E-kirja sisu
SendAcknowledgementByMail=Saada kinnitus e-postiga
NoEMail=E-posti aadress puudub
NoMobilePhone=No mobile phone
Owner=Omanik
DetectedVersion=Tuvastatud versioon
FollowingConstantsWillBeSubstituted=Järgnevad konstandid asendatakse vastavate väärtustega.

View File

@ -28,8 +28,10 @@ ProductsAndServicesStatistics=Toodete ja teenuste statistika
ProductsStatistics=Toodete statistika
ProductsOnSell=Saadaval tooted
ProductsNotOnSell=Vananenud tooted
ProductsOnSellAndOnBuy=Products not for sale nor purchase
ServicesOnSell=Saadaval teenused
ServicesNotOnSell=Vananenud teenused
ServicesOnSellAndOnBuy=Services not for sale nor purchase
InternalRef=Sisemine viide
LastRecorded=Viimased salvestatud müügil olevad tooted/teenused
LastRecordedProductsAndServices=Viimased %s salvestatud toodet/teenust
@ -70,6 +72,8 @@ PublicPrice=Avalik hind
CurrentPrice=Praegune hind
NewPrice=Uus hind
MinPrice=Min müügihind
MinPriceHT=Minim. selling price (net of tax)
MinPriceTTC=Minim. selling price (inc. tax)
CantBeLessThanMinPrice=Müügihind ei saa olla madalam kui selle toote minimaalne lubatud hind (%s km-ta). Antud sõnumit näidatakse ka siis, kui sisestad liiga suure allahindluse.
ContractStatus=Lepingu staatus
ContractStatusClosed=Suletud
@ -179,6 +183,7 @@ ProductIsUsed=Seda toodet kasutatakse
NewRefForClone=Uue toote/teenuse viide
CustomerPrices=Klientide hinnad
SuppliersPrices=Hankijate hinnad
SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
CustomCode=Tolli kood
CountryOrigin=Päritolumaa
HiddenIntoCombo=Peida valitud nimekirjades
@ -208,6 +213,7 @@ CostPmpHT=Neto kokku VWAP
ProductUsedForBuild=Automaatne tootmise kul
ProductBuilded=Tootmine lõpetatud
ProductsMultiPrice=Toote mitmikhind
ProductsOrServiceMultiPrice=Customers prices (of products or services, multi-prices)
ProductSellByQuarterHT=Toodete müügikäive kvartalis VWAP
ServiceSellByQuarterHT=Teenuste müügikäive kvartalis VWAP
Quarter1=1. kvartal

View File

@ -112,6 +112,7 @@ ReplenishmentOrdersDesc=See on kõigi avatud ostutellimuste nimekiri
Replenishments=Värskendamised
NbOfProductBeforePeriod=Toote %s laojääk enne valitud perioodi (< %s)
NbOfProductAfterPeriod=Toote %s laojääk pärast valitud perioodi (> %s)
MassMovement=Mass movement
MassStockMovement=Massiline lao liikumine
SelectProductInAndOutWareHouse=Vali toode, kogus, lähteladu ja sihtladu, siis klõpsa "%s". Kui see on kõigi soovitud liikumiste jaoks tehtud, klõpsa "%s".
RecordMovement=Registreeri ülekanne

View File

@ -116,7 +116,7 @@ LanguageBrowserParameter=Parameter %s
LocalisationDolibarrParameters=Localisation parameters
ClientTZ=Client Time Zone (user)
ClientHour=Client time (user)
OSTZ=Servre OS Time Zone
OSTZ=Server OS Time Zone
PHPTZ=PHP server Time Zone
PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
@ -233,7 +233,9 @@ OfficialWebSiteFr=French official web site
OfficialWiki=Dolibarr documentation on Wiki
OfficialDemo=Dolibarr online demo
OfficialMarketPlace=Official market place for external modules/addons
OfficialWebHostingService=Official web hosting services (Cloud hosting)
OfficialWebHostingService=Referenced web hosting services (Cloud hosting)
ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...),<br>take a look at the Dolibarr Wiki:<br><b><a href="%s" target="_blank">%s</a></b>
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum:<br><b><a href="%s" target="_blank">%s</a></b>
HelpCenterDesc1=This area can help you to get a Help support service on Dolibarr.
@ -369,9 +371,9 @@ ExtrafieldSelectList = Select from table
ExtrafieldSeparator=Separator
ExtrafieldCheckBox=Checkbox
ExtrafieldRadio=Radio button
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for exemple : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpselect=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...<br><br>In order to have the list depending on another :<br>1,value1|parent_list_code:parent_key<br>2,value2|parent_list_code:parent_key
ExtrafieldParamHelpcheckbox=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpradio=Parameters list have to be like key,value<br><br> for example : <br>1,value1<br>2,value2<br>3,value3<br>...
ExtrafieldParamHelpsellist=Parameters list comes from a table<br>Syntax : table_name:label_field:id_field::filter<br>Example : c_typent:libelle:id::filter<br><br>filter can be a simple test (eg active=1) to display only active value <br> if you want to filter on extrafields use syntaxt extra.fieldcode=... (where field code is the code of extrafield)<br><br>In order to have the list depending on another :<br>c_typent:libelle:id:parent_list_code|parent_column:filter
LibraryToBuildPDF=Library used to build PDF
WarningUsingFPDF=Warning: Your <b>conf.php</b> contains directive <b>dolibarr_pdf_force_fpdf=1</b>. This means you use the FPDF library to generate PDF files. This library is old and does not support a lot of features (Unicode, image transparency, cyrillic, arab and asiatic languages, ...), so you may experience errors during PDF generation.<br>To solve this and have a full support of PDF generation, please download <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, then comment or remove the line <b>$dolibarr_pdf_force_fpdf=1</b>, and add instead <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
@ -472,7 +474,7 @@ 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
Module510Desc=Management of employees salaries and payments
Module600Name=Notifications
Module600Desc=Send notifications by email on some Dolibarr business events to third party contacts
Module700Name=Donations
@ -495,15 +497,15 @@ Module2400Name=Agenda
Module2400Desc=Events/tasks and agenda management
Module2500Name=Electronic Content Management
Module2500Desc=Save and share documents
Module2600Name= WebServices
Module2600Desc= Enable the Dolibarr web services server
Module2700Name= Gravatar
Module2700Desc= Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2600Name=WebServices
Module2600Desc=Enable the Dolibarr web services server
Module2700Name=Gravatar
Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access
Module2800Desc=FTP Client
Module2900Name= GeoIPMaxmind
Module2900Desc= GeoIP Maxmind conversions capabilities
Module3100Name= Skype
Module3100Desc= Add a Skype button into card of adherents / third parties / contacts
Module2900Name=GeoIPMaxmind
Module2900Desc=GeoIP Maxmind conversions capabilities
Module3100Name=Skype
Module3100Desc=Add a Skype button into card of adherents / third parties / contacts
Module5000Name=Multi-company
Module5000Desc=Allows you to manage multiple companies
Module6000Name=Workflow
@ -999,7 +1001,7 @@ ExtraFieldsSupplierOrders=Complementary attributes (orders)
ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
ExtraFieldsProject=Complementary attributes (projects)
ExtraFieldsProjectTask=Complementary attributes (tasks)
ExtraFieldHasWrongValue=Attribut %s has a wrong value.
ExtraFieldHasWrongValue=Attribute %s has a wrong value.
AlphaNumOnlyCharsAndNoSpace=only alphanumericals characters without space
AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space
SendingMailSetup=Setup of sendings by email
@ -1018,13 +1020,13 @@ SuhosinSessionEncrypt=Session storage encrypted by Suhosin
ConditionIsCurrently=Condition is currently %s
TestNotPossibleWithCurrentBrowsers=Automatic detection not possible
YouUseBestDriver=You use driver %s that is best driver available currently.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommanded.
YouDoNotUseBestDriver=You use drive %s but driver %s is recommended.
NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization.
SearchOptim=Search optimization
YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response.
BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance.
BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari.
XDebugInstalled=XDebug est chargé.
XDebugInstalled=XDebug is loaded.
XCacheInstalled=XCache is loaded.
AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink
FieldEdition=Edition of field %s
@ -1073,7 +1075,7 @@ WebCalServer=Server hosting calendar database
WebCalDatabaseName=Database name
WebCalUser=User to access database
WebCalSetupSaved=Webcalendar setup saved successfully.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
WebCalTestOk=Connection to server '%s' on database '%s' with user '%s' successful.
WebCalTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
WebCalTestKo2=Connection to server '%s' with user '%s' failed.
WebCalErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be a Webcalendar database.
@ -1119,7 +1121,7 @@ WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
OrdersSetup=Order management setup
OrdersNumberingModules=Orders numbering models
OrdersModelModule=Order documents models
HideTreadedOrders=Hide the treated or canceled orders in the list
HideTreadedOrders=Hide the treated or cancelled orders in the list
ValidOrderAfterPropalClosed=To validate the order after proposal closer, makes it possible not to step by the provisional order
FreeLegalTextOnOrders=Free text on orders
WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
@ -1214,9 +1216,9 @@ LDAPSynchroKO=Failed synchronization test
LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that connexion to server is correctly configured and allows LDAP udpates
LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s)
LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s)
LDAPBindOK=Connect/Authentificate to LDAP server sucessfull (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindOK=Connect/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s)
LDAPUnbindSuccessfull=Disconnect successfull
LDAPUnbindSuccessfull=Disconnect successful
LDAPUnbindFailed=Disconnect failed
LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
LDAPConnectToDNFailed=Connection to DN (%s) failed
@ -1273,7 +1275,7 @@ LDAPFieldSidExample=Example : objectsid
LDAPFieldEndLastSubscription=Date of subscription end
LDAPFieldTitle=Post/Function
LDAPFieldTitleExample=Example: title
LDAPParametersAreStillHardCoded=LDAP parametres are still hardcoded (in contact class)
LDAPParametersAreStillHardCoded=LDAP parameters are still hardcoded (in contact class)
LDAPSetupNotComplete=LDAP setup not complete (go on others tabs)
LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode.
LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts.
@ -1429,7 +1431,7 @@ OptionVATDefault=Standard
OptionVATDebitOption=Option services on Debit
OptionVatDefaultDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on payments for services
OptionVatDebitOptionDesc=VAT is due:<br>- on delivery for goods (we use invoice date)<br>- on invoice (debit) for services
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to choosed option:
SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option:
OnDelivery=On delivery
OnPayment=On payment
OnInvoice=On invoice
@ -1446,7 +1448,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 menu Setup -> Dictionnary -> Type of agenda events)
AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> 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) #####

View File

@ -1,99 +1,101 @@
# Dolibarr language file - Source file is en_US - contracts
# ContractsArea=Contracts area
# ListOfContracts=List of contracts
# LastContracts=Last %s modified contracts
# AllContracts=All contracts
# ContractCard=Contract card
# ContractStatus=Contract status
# ContractStatusNotRunning=Not running
# ContractStatusRunning=Running
# ContractStatusDraft=Draft
# ContractStatusValidated=Validated
# ContractStatusClosed=Closed
# ServiceStatusInitial=Not running
# ServiceStatusRunning=Running
# ServiceStatusNotLate=Running, not expired
# ServiceStatusNotLateShort=Not expired
# ServiceStatusLate=Running, expired
# ServiceStatusLateShort=Expired
# ServiceStatusClosed=Closed
# ServicesLegend=Services legend
# Contracts=Contracts
# Contract=Contract
# NoContracts=No contracts
# MenuServices=Services
# MenuInactiveServices=Services not active
# MenuRunningServices=Running services
# MenuExpiredServices=Expired services
# MenuClosedServices=Closed services
# NewContract=New contract
# AddContract=Add contract
# SearchAContract=Search a contract
# DeleteAContract=Delete a contract
# CloseAContract=Close a contract
# ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services ?
# ConfirmValidateContract=Are you sure you want to validate this contract under name <b>%s</b> ?
# ConfirmCloseContract=This will close all services (active or not). Are you sure you want to close this contract ?
# ConfirmCloseService=Are you sure you want to close this service with date <b>%s</b> ?
# ValidateAContract=Validate a contract
# ActivateService=Activate service
# ConfirmActivateService=Are you sure you want to activate this service with date <b>%s</b> ?
# RefContract=Contract reference
# DateContract=Contract date
# DateServiceActivate=Service activation date
# DateServiceUnactivate=Service deactivation date
# DateServiceStart=Date for beginning of service
# DateServiceEnd=Date for end of service
# ShowContract=Show contract
# ListOfServices=List of services
# ListOfInactiveServices=List of not active services
# ListOfExpiredServices=List of expired active services
# ListOfClosedServices=List of closed services
# ListOfRunningContractsLines=List of running contract lines
# ListOfRunningServices=List of running services
# NotActivatedServices=Inactive services (among validated contracts)
# BoardNotActivatedServices=Services to activate among validated contracts
# LastContracts=Last %s modified contracts
# LastActivatedServices=Last %s activated services
# LastModifiedServices=Last %s modified services
# EditServiceLine=Edit service line
# ContractStartDate=Start date
# ContractEndDate=End date
# DateStartPlanned=Planned start date
# DateStartPlannedShort=Planned start date
# DateEndPlanned=Planned end date
# DateEndPlannedShort=Planned end date
# DateStartReal=Real start date
# DateStartRealShort=Real start date
# DateEndReal=Real end date
# DateEndRealShort=Real end date
# NbOfServices=Nb of services
# CloseService=Close service
# ServicesNomberShort=%s service(s)
# RunningServices=Running services
# BoardRunningServices=Expired running services
# ServiceStatus=Status of service
# DraftContracts=Drafts contracts
# CloseRefusedBecauseOneServiceActive=Contract can't be closed as ther is at least one open service on it
# CloseAllContracts=Close all contract lines
# DeleteContractLine=Delete a contract line
# ConfirmDeleteContractLine=Are you sure you want to delete this contract line ?
# MoveToAnotherContract=Move service into another contract.
# ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract.
# ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to ?
# PaymentRenewContractId=Renew contract line (number %s)
# ExpiredSince=Expiration date
# RelatedContracts=Related contracts
# NoExpiredServices=No expired active services
# ListOfServicesToExpireWithDuration=List of Services to expire in %s days
# ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
# ListOfServicesToExpire=List of Services to expire
# NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
ContractsArea=Contracts area
ListOfContracts=List of contracts
LastContracts=Last %s modified contracts
AllContracts=All contracts
ContractCard=Contract card
ContractStatus=Contract status
ContractStatusNotRunning=Not running
ContractStatusRunning=Running
ContractStatusDraft=Draft
ContractStatusValidated=Validated
ContractStatusClosed=Closed
ServiceStatusInitial=Not running
ServiceStatusRunning=Running
ServiceStatusNotLate=Running, not expired
ServiceStatusNotLateShort=Not expired
ServiceStatusLate=Running, expired
ServiceStatusLateShort=Expired
ServiceStatusClosed=Closed
ServicesLegend=Services legend
Contracts=Contracts
Contract=Contract
NoContracts=No contracts
MenuServices=Services
MenuInactiveServices=Services not active
MenuRunningServices=Running services
MenuExpiredServices=Expired services
MenuClosedServices=Closed services
NewContract=New contract
AddContract=Add contract
SearchAContract=Search a contract
DeleteAContract=Delete a contract
CloseAContract=Close a contract
ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services ?
ConfirmValidateContract=Are you sure you want to validate this contract under name <b>%s</b> ?
ConfirmCloseContract=This will close all services (active or not). Are you sure you want to close this contract ?
ConfirmCloseService=Are you sure you want to close this service with date <b>%s</b> ?
ValidateAContract=Validate a contract
ActivateService=Activate service
ConfirmActivateService=Are you sure you want to activate this service with date <b>%s</b> ?
RefContract=Contract reference
DateContract=Contract date
DateServiceActivate=Service activation date
DateServiceUnactivate=Service deactivation date
DateServiceStart=Date for beginning of service
DateServiceEnd=Date for end of service
ShowContract=Show contract
ListOfServices=List of services
ListOfInactiveServices=List of not active services
ListOfExpiredServices=List of expired active services
ListOfClosedServices=List of closed services
ListOfRunningContractsLines=List of running contract lines
ListOfRunningServices=List of running services
NotActivatedServices=Inactive services (among validated contracts)
BoardNotActivatedServices=Services to activate among validated contracts
LastContracts=Last %s modified contracts
LastActivatedServices=Last %s activated services
LastModifiedServices=Last %s modified services
EditServiceLine=Edit service line
ContractStartDate=Start date
ContractEndDate=End date
DateStartPlanned=Planned start date
DateStartPlannedShort=Planned start date
DateEndPlanned=Planned end date
DateEndPlannedShort=Planned end date
DateStartReal=Real start date
DateStartRealShort=Real start date
DateEndReal=Real end date
DateEndRealShort=Real end date
NbOfServices=Nb of services
CloseService=Close service
ServicesNomberShort=%s service(s)
RunningServices=Running services
BoardRunningServices=Expired running services
ServiceStatus=Status of service
DraftContracts=Drafts contracts
CloseRefusedBecauseOneServiceActive=Contract can't be closed as ther is at least one open service on it
CloseAllContracts=Close all contract lines
DeleteContractLine=Delete a contract line
ConfirmDeleteContractLine=Are you sure you want to delete this contract line ?
MoveToAnotherContract=Move service into another contract.
ConfirmMoveToAnotherContract=I choosed new target contract and confirm I want to move this service into this contract.
ConfirmMoveToAnotherContractQuestion=Choose in which existing contract (of same third party), you want to move this service to ?
PaymentRenewContractId=Renew contract line (number %s)
ExpiredSince=Expiration date
RelatedContracts=Related contracts
NoExpiredServices=No expired active services
ListOfServicesToExpireWithDuration=List of Services to expire in %s days
ListOfServicesToExpireWithDurationNeg=List of Services expired from more than %s days
ListOfServicesToExpire=List of Services to expire
NoteListOfYourExpiredServices=This list contains only services of contracts for third parties you are linked to as a sale representative.
StandardContractsTemplate=Standard contracts template
ContactNameAndSignature=For %s, name and signature:
##### Types de contacts #####
# TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract
# TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract
# 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
TypeContact_contrat_internal_SALESREPSIGN=Sales representative signing contract
TypeContact_contrat_internal_SALESREPFOLL=Sales representative following-up contract
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

Some files were not shown because too many files have changed in this diff Show More